有关命令by
和weighted.mean
的问题已经存在,但没有人能够帮助解决我的问题。我是R的新手,比编程更习惯数据挖掘语言。
我有一个数据框,每个人(观察/行)收入,教育水平和样本权重。我想按教育程度计算收入的加权平均值,我希望结果与原始数据框的新列中的每个人相关联,如下所示:
obs income education weight incomegroup
1. 1000 A 10 --> display weighted mean of income for education level A
2. 2000 B 1 --> display weighted mean of income for education level B
3. 1500 B 5 --> display weighted mean of income for education level B
4. 2000 A 2 --> display weighted mean of income for education level A
我试过了:
data$incomegroup=by(data$education, function(x) weighted.mean(data$income, data$weight))
它不起作用。加权平均数以某种方式计算并显示在“收入组”栏中,但对于整个集合而不是按组或仅针对一个组,我不知道。我阅读了关于包plyr
或aggregate
的内容,但它似乎没有做我感兴趣的内容。
ave{stats}
命令给出了我正在寻找的内容,但只是简单的意思:
data$incomegroup=ave(data$income,data$education,FUN = mean)
它不能用于重量。
提前感谢您的帮助!
答案 0 :(得分:7)
如果我们使用mutate
,那么我们可以避开left_join
library(dplyr)
df %>%
group_by(education) %>%
mutate(weighted_income = weighted.mean(income, weight))
# obs income education weight weighted_income
# <int> <int> <fctr> <int> <dbl>
#1 1 1000 A 10 1166.667
#2 2 2000 B 1 1583.333
#3 3 1500 B 5 1583.333
#4 4 2000 A 2 1166.667
答案 1 :(得分:5)
尝试使用dplyr包,如下所示:
df <- read.table(text = 'obs income education weight
1 1000 A 10
2 2000 B 1
3 1500 B 5
4 2000 A 2',
header = TRUE)
library(dplyr)
df_summary <-
df %>%
group_by(education) %>%
summarise(weighted_income = weighted.mean(income, weight))
df_summary
# education weighted_income
# A 1166.667
# B 1583.333
df_final <- left_join(df, df_summary, by = 'education')
df_final
# obs income education weight weighted_income
# 1 1000 A 10 1166.667
# 2 2000 B 1 1583.333
# 3 1500 B 5 1583.333
# 4 2000 A 2 1166.667
答案 2 :(得分:1)
基础R中有一个函数weighted.mean
。不幸的是,它可以轻松地与ave
一起使用。一种解决方案是使用data.table
library(data.table)
setDT(data)
data[, incomeGroup := weighted.mean(income, weight), by=education]
data
income education weight incomeGroup
1: 1000 A 10 1166.667
2: 2000 B 1 1583.333
3: 1500 B 5 1583.333
4: 2000 A 2 1166.667
与ave
一起使用的奇怪方法是
ave(df[c("income", "weight")], df$education,
FUN=function(x) weighted.mean(x$income, x$weight))[[1]]
[1] 1166.667 1583.333 1583.333 1166.667
将子集data.frame提供给函数,然后按分组变量进行分组。 FUN参数创建一个函数,该函数接受data.frame并将weighted.mean
应用于结果。由于最终输出是data.frame,[[1]]
返回具有所需结果的向量。
请注意,这只是证明这是可能的 - 我不推荐这种方法,data.frame
技术更清晰,并且在大于1000次观察的数据集上会更快。