我正在尝试为数据帧的每5行估算增量值。我是R的新手,不确定如何实现。
输入数据:
state Value
a 1
b 2
a 3
c 4
a 5
e 6
f 7
w 8
f 9
s 10
e 11
r 12
s 13
s 14
所需的输出:
state Value Increment
a 1 1
b 2 1
a 3 1
c 4 1
a 5 1
e 6 2
f 7 2
w 8 2
f 9 2
s 10 2
e 11 3
r 12 3
s 13 3
s 14 3
答案 0 :(得分:2)
这是一个dplyr
解决方案,用于检查将行号减去1除以5的余数是否为0。如果为0,则将新列的值增加1。
dt = read.table(text =
"state Value
a 1
b 2
a 3
c 4
a 5
e 6
f 7
w 8
f 9
s 10
e 11
r 12
s 13
s 14", header=T)
library(dplyr)
dt %>% mutate(Increment = cumsum((row_number()-1) %% 5 == 0))
# state Value Increment
# 1 a 1 1
# 2 b 2 1
# 3 a 3 1
# 4 c 4 1
# 5 a 5 1
# 6 e 6 2
# 7 f 7 2
# 8 w 8 2
# 9 f 9 2
# 10 s 10 2
# 11 e 11 3
# 12 r 12 3
# 13 s 13 3
# 14 s 14 3
答案 1 :(得分:2)
这是您的数据:
df = read.table(text =
"state Value
a 1
b 2
a 3
c 4
a 5
e 6
f 7
w 8
f 9
s 10
e 11
r 12
s 13
s 14",
header=T)
您现在可以使用rownames
来帮助您估算增量值。下面的代码行通过获取行索引,将它们除以5
,然后获得ceiling
(即最接近的较大整数),为您提供所需的输出。
df$Increment <- ceiling(as.numeric(rownames(df))/5)
这将给您预期的输出:
# state Value Increment
# 1 a 1 1
# 2 b 2 1
# 3 a 3 1
# 4 c 4 1
# 5 a 5 1
# 6 e 6 2
# 7 f 7 2
# 8 w 8 2
# 9 f 9 2
# 10 s 10 2
# 11 e 11 3
# 12 r 12 3
# 13 s 13 3
# 14 s 14 3
希望有帮助。
答案 2 :(得分:1)
尝试:
dt = read.table(text =
"state Value
a 1
b 2
a 3
c 4
a 5
e 6
f 7
w 8
f 9
s 10
e 11
r 12
s 13
s 14", header=T)
dt$Increment<- unlist(lapply(1:ceiling(nrow(dt)/5), function(x) rep(x, 5) ))[1:nrow(dt)]
dt
答案 3 :(得分:1)
以下功能将满足您的需求。
参数:
DF
-输入data.frame; N
-每个值的重复次数以增量为单位; newcol
-增量列的名称,默认为"Increment"
。只需将结果分配给新的df。
fun <- function(DF, N, newcol = "Increment"){
n <- nrow(DF)
f <- rep_len(c(1, rep(0, N - 1)), length.out = n)
DF[[newcol]] <- cumsum(f)
DF
}
fun(df1, N = 5)
数据。
set.seed(1234) # Make the results reproducible
n <- 14
state <- sample(letters, n, TRUE)
Value <- seq_len(n)
df1 <- data.frame(state, Value)
答案 4 :(得分:1)
尝试:
rep(c(1:((nrow(df)/5)+1)),
each=5,
length.out=dim(df)[1])
哪个给:
> df$Increment<-rep(c(1:((nrow(df)/5)+1)),
+ each=5,
+ length.out=dim(df)[1])
> df
state Value Increment
1 a 1 1
2 b 2 1
3 a 3 1
4 c 4 1
5 a 5 1
6 e 6 2
7 f 7 2
8 w 8 2
9 f 9 2
10 s 10 2
11 e 11 3
12 r 12 3
13 s 13 3
14 s 14 3
df
在哪里:
dt = read.table(text =
"state Value
a 1
b 2
a 3
c 4
a 5
e 6
f 7
w 8
f 9
s 10
e 11
r 12
s 13
s 14", header=T)