我有一个包含2个变量的数据集:一个ID和一个数量。我想对记录进行抽样(替换),直到抽样的总金额超过原始金额为止。
我有可以工作的示例代码,但是有更好的方法吗?我最终希望在一个大型数据集上进行10万次迭代,而我的方法似乎很笨拙。
在下面的代码中,我只运行了3次迭代。
set.seed(7777)
df <- data.frame(ID = seq(1,5),
AMT = sample(1:100, 5, replace = T))
threshold <- sum(df$AMT)
output <- NULL
for (i in 1:3) {
repeat{
sel <- df[sample(nrow(df), size = 1),]
sel <- cbind(iter=i, sel)
output <- rbind(output,
sel)
check_sum <- subset(output, iter == i)
if(sum(check_sum$AMT) > threshold) break
}
}
答案 0 :(得分:3)
您可以使用递归(调用自身的函数)。另外,您不需要存储所有采样结果(这里我们仅存储行号)。
set.seed(7777)
df <- data.frame(ID = 1:5,AMT = sample(1:100, 5, TRUE))
threshold <- sum(df$AMT)
# Specify N not to call it multiple times
N <- nrow(df)
repeatUntilSum <- function(input = NULL) {
# Sample one row number and join with input
result <- c(sample(N, 1), input)
# Check if still too low
if (sum(df$AMT[result]) <= threshold) {
# Run function again
repeatUntilSum(result)
} else {
# Return full sampled result
return(df[result, ])
}
}
要进行n
次采样,请使用lapply
(可以使用data.table::rbindlist
轻松加入的返回列表)。
data.table::rbindlist(lapply(1:3, repeatUntilSum), idcol = "iter")