我有大约 300 个文件,每个文件包含 1000 个时间序列实现(每个文件约 76 MB)。
我想从完整的 300000 个实现中计算每个时间步的分位数(0.05、0.50、0.95)。
我无法将实现合并到一个文件中,因为它会变得太大。
这样做最有效的方法是什么?
每个矩阵都是通过运行模型生成的,但是这里是一个包含随机数的示例:
x <- matrix(rexp(10000000, rate=.1), nrow=1000)
我有大约 300 个文件,每个文件包含 1000 个时间序列实现(每个文件约 76 MB)。
我想从完整的 300000 个实现中计算每个时间步的分位数(0.05、0.50、0.95)。
我无法将实现合并到一个文件中,因为它会变得太大。
这样做最有效的方法是什么?
每个矩阵都是通过运行模型生成的,但是这里是一个包含随机数的示例:
x <- matrix(rexp(10000000, rate=.1), nrow=1000)
至少有三个选项:
编辑:(3)的示例。
请注意,我不是算法设计冠军,几乎可以肯定有人为此设计了更好的算法。此外,这种实现并不是特别有效。如果速度对您很重要,请考虑 Rcpp,或者甚至为此进行更优化的 R。制作一堆列表然后从中提取值并不是那么聪明,但是这种方式很容易制作原型,所以我就采用了。
library(plyr)
set.seed(1)
# -- Configuration -- #
desiredQuantile <- .25
# -- Generate sample data -- #
# Use some algorithm (sampling, iteration, or something else to come up with a range you're sure the true value lies within)
guessedrange <- c( .2, .3 )
# Group the observations to correspond to the OP's files
dat <- data.frame( group = rep( seq(100), each=100 ), value = runif(10000) )
# -- Apply the algorithm -- #
# Count the number above/below and return the values within the range, by group
res <- dlply( dat, .( group ), function( x, guessedrange ) {
above <- x$value > guessedrange[2]
below <- x$value < guessedrange[1]
list(
aboveCount = sum( above ),
belowCount = sum( below ),
withinValues = x$value[ !above & !below ]
)
}, guessedrange = guessedrange )
# Exract the count of values below and the values within the range
belowCount <- sum( sapply( res, function(x) x$belowCount ) )
belowCount
withinValues <- do.call( c, sapply( res, function(x) x$withinValues ) )
str(withinValues)
# Count up until we find the within value we want
desiredQuantileCount <- floor( desiredQuantile * nrow(dat) ) #! Should fix this so it averages when there's a tie
sort(withinValues)[ desiredQuantileCount - belowCount + 1 ]
# Compare to exact value
quantile( dat$value, desiredQuantile )
最后,该值与确切版本略有不同。我怀疑我被一个或一些同样愚蠢的解释所转移,但也许我错过了一些基本的东西。