我有一个这样的载体

v <- c(0,0,0,0,0,1,0,0,0,0,0,0,0,1,0,0,0,1,0)


现在,我想生成第二个向量,该向量向后计数直到达到1,然后重新开始。

结果是

r <- c(6,5,4,3,2,1,8,7,6,5,4,3,2,1,4,3,2,1,0)


最后一个零应保留

我尝试过类似的方法,但无法使其正常工作:

lv <- c(1, which(v == 1))

res <- c()
for(i in 1:(length(lv)-1)) {
  res <- c(res, rev(lv[i]:lv[i+1]))
}

最佳答案

我们可以使用avecumsum创建组,并计算每个组中reverse中的顺序。然后,我们将1重新分配给它们在new_seq中的原始位置。

new_seq <- ave(v, cumsum(v==1), FUN = function(x) rev(seq_along(x))) + 1
new_seq[v == 1] <- 1

new_seq
#[1] 6 5 4 3 2 1 8 7 6 5 4 3 2 1 4 3 2 1 2




更新资料

要使所有内容都保留在最后1个之后,我们可以做

#Make groups
indx <- cumsum(v==1)

#Create reverse sequential counting in each group
new_seq <- ave(v, indx, FUN = function(x) rev(seq_along(x))) + 1

#Keep everything after last 1 as it is
new_seq[which.max(indx) : length(v)] <- v[which.max(indx) : length(v)]

#Change 1's same as their original position
new_seq[v == 1] <- 1

new_seq
#[1] 6 5 4 3 2 1 8 7 6 5 4 3 2 1 4 3 2 1 0

09-27 08:12