我想将一个向量分割成向量列表。结果向量将具有可变长度,我需要仅在满足某些条件时才进行拆分。

样本数据:

set.seed(3)
x <- sample(0:9,100,repl=TRUE)


例如,在这种情况下,我想将上述向量x拆分为每个0。

目前,我使用自己的功能执行此操作:

ConditionalSplit <- function(myvec, splitfun) {
  newlist <- list()
  splits <- which(splitfun(x))
  if (splits == integer(0)) return(list(myvec))
  if (splits[1] != 1) newlist[[1]] <- myvec[1:(splits[1]-1)]
  i <- 1
  imax <- length(splits)

  while (i < imax) {
    curstart <- splits[i]
    curend <- splits[i+1]
    if (curstart != curend - 1)
      newlist <- c(newlist, list(myvec[curstart:(curend-1)]))
    i <- i + 1
  }

  newlist <- c(newlist, list(myvec[splits[i]:length(vector)]))
  return(newlist)
}


这个函数提供了我想要的输出,但是我敢肯定有比我更好的方法。

> MySplit <- function(x) x == 0

> ConditionalSplit(x, MySplit)

[[1]]
 [1] 1 8 3 3 6 6 1 2 5 6 5 5 5 5 8 8 1 7 8 2 2

[[2]]
[1] 0 1

[[3]]
 [1] 0 2 7 5 9 5 7 3 3 1 4 2 3 8 2 5 2 2 7 1 5 4 2
...

最佳答案

以下行似乎正常工作:

split(x,cumsum(x==0))

10-08 09:06