我有一个聚合问题,我无法弄清楚如何在R中有效地执行。
说我有以下数据:
group1 <- c("a","b","a","a","b","c","c","c","c",
"c","a","a","a","b","b","b","b")
group2 <- c(1,2,3,4,1,3,5,6,5,4,1,2,3,4,3,2,1)
value <- c("apple","pear","orange","apple",
"banana","durian","lemon","lime",
"raspberry","durian","peach","nectarine",
"banana","lemon","guava","blackberry","grape")
df <- data.frame(group1,group2,value)
我感兴趣的是从数据框df
中抽样,这样我就可以从每个因素group1
和group2
中随机选择一行。
如您所见,table(df$group1,df$group2)
1 2 3 4 5 6
a 2 1 2 1 0 0
b 2 2 1 1 0 0
c 0 0 1 1 2 1
表明某些组合不止一次出现,而其他组合从未见过。对于那些被多次看到的人(例如,group1="a"
和group2=3
),我想只随机选择一个相应的行并返回一个只包含该行子集的新数据帧。这样,分组因子的每种可能组合仅由数据帧中的单个行表示。
这里的一个重要方面是我的实际数据集可以包含500,000行到> 2,000,000行,因此注意性能非常重要。
我在R比较新,所以我一直无法弄清楚如何正确生成这个结构。一次尝试看起来像这样(使用plyr
包):
choice <- function(x,label) {
cbind(x[sample(1:nrow(x),1),],data.frame(state=label))
}
df <- ddply(df[,c("group1","group2","value")],
.(group1,group2),
pick_junc,
label="test")
请注意,在这种情况下,我还在名为“label”的数据框中添加了一个额外的列,该列被指定为ddply
函数的额外参数。但是,我在大约20分钟后杀了这个。
在其他情况下,我尝试过使用aggregate
或by
或tapply
,但我从未确切知道指定的函数到底是什么,应该返回什么,或者做什么结果(特别是by
)。
我正在尝试从python切换到R进行探索性数据分析,但这种类型的聚合对我来说至关重要。在python中,我可以非常快速地执行这些操作,但是它不方便,因为我必须为我想要执行的每种不同类型的聚合生成单独的脚本/数据结构。
我想爱R,所以请帮忙!谢谢!
乌里
答案 0 :(得分:6)
以下是plyr
解决方案
set.seed(1234)
ddply(df, .(group1, group2), summarize,
value = value[sample(length(value), 1)])
这给了我们
group1 group2 value
1 a 1 apple
2 a 2 nectarine
3 a 3 banana
4 a 4 apple
5 b 1 grape
6 b 2 blackberry
7 b 3 guava
8 b 4 lemon
9 c 3 durian
10 c 4 durian
11 c 5 raspberry
12 c 6 lime
EDIT。如果数据框很大,最好使用data.table
library(data.table)
dt = data.table(df)
dt[,list(value = value[sample(length(value), 1)]),'group1, group2']
编辑2:性能比较:数据表快〜15倍
group1 = sample(letters, 1000000, replace = T)
group2 = sample(LETTERS, 1000000, replace = T)
value = runif(1000000, 0, 1)
df = data.frame(group1, group2, value)
dt = data.table(df)
f1_dtab = function() {
dt[,list(value = value[sample(length(value), 1)]),'group1, group2']
}
f2_plyr = function() {ddply(df, .(group1, group2), summarize, value =
value[sample(length(value), 1)])
}
f3_by = function() {do.call(rbind,by(df,list(grp1 = df$group1,grp2 = df$group2),
FUN = function(x){x[sample(nrow(x),1),]}))
}
library(rbenchmark)
benchmark(f1_dtab(), f2_plyr(), f3_by(), replications = 10)
test replications elapsed relative
f1_dtab() 10 4.764 1.00000
f2_plyr() 10 68.261 14.32851
f3_by() 10 67.369 14.14127
答案 1 :(得分:-1)
还有一种方法:
with(df, tapply(value, list( group1, group2), length))
1 2 3 4 5 6
a 2 1 2 1 NA NA
b 2 2 1 1 NA NA
c NA NA 1 1 2 1
# Now use tapply to sample withing groups
# `resample` fn is from the sample help page:
# Avoids an error with sample when only one value in a group.
resample <- function(x, ...) x[sample.int(length(x), ...)]
#Create a row index
df$idx <- 1:NROW(df)
rowidxs <- with(df, unique( c( # the `c` function will make a matrix into a vector
tapply(idx, list( group1, group2),
function (x) resample(x, 1) ))))
rowidxs
# [1] 1 5 NA 12 16 NA 3 15 6 4 14 10 NA NA 7 NA NA 8
df[rowidxs[!is.na(rowidxs)] , ]