0

我有一个数据集,由从研究和实验中获得的值组成。实验嵌套在研究中。我想对数据集进行二次抽样,以便每个研究只代表 1 个实验。我想重复这个过程 10,000 次,每次随机抽取 1 个实验,然后计算一些值的汇总统计。这是一个示例数据集:

df=data.frame(study=c(1,1,2,2,2,3,4,4),expt=c(1,2,1,2,3,1,1,2),value=runif(8))

我编写了以下函数来执行上述操作,但它需要永远。有人对简化此代码有任何建议吗?谢谢!

subsample=function(x,A) {
  subsample.list=sapply(1:A,function(m) {
    idx=ddply(x,c("study"),function(i) sample(1:nrow(i),1)) #Sample one experiment from each study
    x[paste(x$study,x$expt,sep="-") %in% paste(idx$study,idx$V1,sep="-"),"value"] } ) #Match the study-experiment combinations and retrieve values
  means.list=ldply(subsample.list,mean) #Calculate the mean of 'values' for each iteration
  c(quantile(means.list$V1,0.025),mean(means.list$V1),upper=quantile(means.list$V1,0.975)) } #Calculate overall means and 95% CIs
4

2 回答 2

1

您可以以这种方式更多地矢量化(即使使用 plyr),并且速度要快得多:

function=yoursummary(x)c(quantile(x,0.025),mean(x),upper=quantile(x,0.975))
subsampleX=function(x,M)
  yoursummary(
    aaply(
      daply(.drop_o=F,df,.(study),
        function(x)sample(x$value,M,replace=T)
      ),1,mean
    )
  )

这里的诀窍是预先进行所有采样。如果我们想采样 M 次,为什么不在你可以访问研究的时候做所有这些。

原始代码:

> system.time(subsample(df,20000))
   user  system elapsed 
 123.23    0.06  124.74 

新的矢量化代码:

> system.time(subsampleX(df,20000))
   user  system elapsed 
   0.24    0.00    0.25 

这大约快 500 倍。

于 2012-09-12T20:28:35.207 回答
1

这是一个基本的 R 解决方案,出于速度原因避免使用 ddply:

df=data.frame(study=c(1,1,2,2,2,3,4,4),expt=c(1,2,1,2,3,1,1,2),value=runif(8))

sample.experiments <- function(df) {
    r <- rle(df$study)
    samp <- sapply( r$lengths , function(x) sample(seq(x),1) )
    start.idx <- c(0,cumsum(r$lengths)[1:(length(r$lengths)-1)] )
    df[samp + start.idx,]
}
> sample.experiments(df)
  study expt     value
1     1    1 0.6113196
4     2    2 0.5026527
6     3    1 0.2803080
7     4    1 0.9824377

基准

> m <- microbenchmark(
+   ddply(df,.(study),function(i) i[sample(1:nrow(i),1),]) ,
+   sample.experiments(df)
+   )
> m
Unit: microseconds
                                                        expr      min       lq   median       uq      max
1 ddply(df, .(study), function(i) i[sample(1:nrow(i), 1), ]) 3808.652 3883.632 3936.805 4022.725 6530.506
2                                     sample.experiments(df)  337.327  350.734  357.644  365.915  580.097

自动绘图微基准

于 2012-09-12T20:33:08.227 回答