我正在R中学习dplyr软件包,我真的很喜欢。但是现在我正在处理数据中的NA值。
我想用相应小时的平均值替换任何NA,例如,用这个非常简单的示例:
#create an example
day = c(1, 1, 2, 2, 3, 3)
hour = c(8, 16, 8, 16, 8, 16)
profit = c(100, 200, 50, 60, NA, NA)
shop.data = data.frame(day, hour, profit)
#calculate the average for each hour
library(dplyr)
mean.profit <- shop.data %>%
group_by(hour) %>%
summarize(mean=mean(profit, na.rm=TRUE))
> mean.profit
Source: local data frame [2 x 2]
hour mean
1 8 75
2 16 130
我可以使用dplyr转换命令将利润中第3天的NA替换为75(代表8:00)和130(代表16:00)吗?
最佳答案
尝试
shop.data %>%
group_by(hour) %>%
mutate(profit= ifelse(is.na(profit), mean(profit, na.rm=TRUE), profit))
# day hour profit
#1 1 8 100
#2 1 16 200
#3 2 8 50
#4 2 16 60
#5 3 8 75
#6 3 16 130
或者您可以使用
replace
shop.data %>%
group_by(hour) %>%
mutate(profit= replace(profit, is.na(profit), mean(profit, na.rm=TRUE)))
关于r - R:用dplyr以小时为单位替换NA值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/26336122/