这是我的例子df:
df = read.table(text = 'colA
22
22
22
45
45
11
11
87
90
110
32
32', header = TRUE)
我只需要添加一个基于colA的新col,其值从1到colA的唯一长度。
预期产出:
colA newCol
22 1
22 1
22 1
45 2
45 2
11 3
11 3
87 4
90 5
110 6
32 7
32 7
这是我尝试过没有成功的事情:
library(dplyr)
new_df = df %>%
group_by(colA) %>%
mutate(newCol = seq(1, length(unique(df$colA)), by = 1))
由于
答案 0 :(得分:1)
newcol = c(1, 1+cumsum(diff(df$colA) != 0))
[1] 1 1 1 2 2 3 3 4 5 6 7 7
答案 1 :(得分:1)
dplyr
包具有获取组索引的功能:
df$newcol = group_indices(df,colA)
返回:
colA newcol
1 22 2
2 22 2
3 22 2
4 45 4
5 45 4
6 11 1
7 11 1
8 87 5
9 90 6
10 110 7
11 32 3
12 32 3
虽然索引没有按照出场顺序排序。
您也可以使用factor
:
df$newcol = as.numeric(factor(df$colA,levels=unique(df$colA)))
答案 2 :(得分:1)
另一种选择:您可以利用因子与基础整数相关联的事实。首先创建一个与该列具有相同级别的新因子变量,然后将其转换为数字。
newCol <- factor(df$colA,
levels = unique(df$colA))
df$newCol <- as.numeric(newCol)
df
colA newCol
1 22 1
2 22 1
3 22 1
4 45 2
5 45 2
6 11 3
7 11 3
8 87 4
9 90 5
10 110 6
11 32 7
12 32 7