对于 x 的每个位置,我想计算有多少数字 > 5。这是我的代码,使用 for 循环:
x<-c(2,8,4,9,10,6,7,3,1,5)
y <- vector()
for (i in seq_along(x)) {
x1 <- x[1:i]
y <- c(y, length(x1[x1>5]))
}
> y
[1] 0 1 1 2 3 4 5 5 5 5
你能帮我用purrr吗?这里可以使用 purrr::reduce 吗?
cumsum
功能可以做到这一点
cumsum(x>5)
#[1] 0 1 1 2 3 4 5 5 5 5
您可以使用accumulate()
from purrr
:
accumulate(x > 5, `+`)
#[1] 0 1 1 2 3 4 5 5 5 5
它基本上是一个包装Reduce()
器accumulate = TRUE
accumulate <- function(.x, .f, ..., .init) {
.f <- as_function(.f, ...)
f <- function(x, y) {
.f(x, y, ...)
}
Reduce(f, .x, init = .init, accumulate = TRUE)
}