假设我有一个包含N行的data.frame。 id
列有10个唯一值;所有这些值都是大于1e7的整数。我想将它们重命名为1到10,并将这些新ID保存为data.frame中的列。
此外,我想轻松确定1)id
给定id.new
和2)id.new
给定id
。
例如:
> set.seed(123)
> ids <- sample(1:1e7,10)
> A <- data.frame(id=sample(ids,100,replace=TRUE),
x=rnorm(100))
> head(A)
id x
1 4566144 1.5164706
2 9404670 -1.5487528
3 5281052 0.5846137
4 455565 0.1238542
5 7883051 0.2159416
6 5514346 0.3796395
答案 0 :(得分:1)
使用因素:
> A$id <- as.factor(A$id)
> A$id.new <- as.numeric(A$id)
> head(A)
id x id.new
1 4566144 1.5164706 4
2 9404670 -1.5487528 10
3 5281052 0.5846137 5
4 455565 0.1238542 1
5 7883051 0.2159416 7
6 5514346 0.3796395 6
假设x是旧ID,您想要新ID。
> x <- 7883051
> as.numeric(which(levels(A$id)==x))
[1] 7
假设y是新ID,您想要旧ID。
> as.numeric(as.character(A$id[which(as.integer(A$id)==y)[1]]))
[1] 5281052
(上面找到了因子的内部代码为5的id的第一个值。有更好的方法吗?)
答案 1 :(得分:1)
试试这个:
A$id.new <- match(A$id,unique(A$id))
其他评论: 获取值表:
rbind(unique(A$id.new),unique(A$id))
答案 2 :(得分:1)
您可以在这里使用factor()/ ordered():
R> set.seed(123)
R> ids <- sample(1:1e7,10)
R> A <- data.frame(id=sample(ids,100,replace=TRUE), x=rnorm(100))
R> A$id.new <- as.ordered(as.character(A$id))
R> table(A$id.new)
2875776 4089769 455565 4566144 5281052 5514346 7883051 8830172 8924185 9404670
6 10 6 8 12 10 13 10 10 15
然后您可以使用as.numeric()映射到1到10:
R> A$id.new <- as.numeric(A$id.new)
R> summary(A)
id x id.new
Min. : 455565 Min. :-2.3092 Min. : 1.00
1st Qu.:4566144 1st Qu.:-0.6933 1st Qu.: 4.00
Median :5514346 Median :-0.0634 Median : 6.00
Mean :6370243 Mean :-0.0594 Mean : 6.07
3rd Qu.:8853675 3rd Qu.: 0.5575 3rd Qu.: 8.25
Max. :9404670 Max. : 2.1873 Max. :10.00
R>
答案 3 :(得分:0)
一种选择是使用hash
包:
> library(hash)
> sn <- sort(unique(A$id))
> g <- hash(1:length(sn),sn)
> h <- hash(sn,1:length(sn))
> A$id.new <- .get(h,A$id)
> head(A)
id x id.new
1 4566144 1.5164706 4
2 9404670 -1.5487528 10
3 5281052 0.5846137 5
4 455565 0.1238542 1
5 7883051 0.2159416 7
6 5514346 0.3796395 6
假设x是旧ID,您想要新ID。
> x <- 7883051
> .get(h,as.character(x))
7883051
7
假设y是新ID,您想要旧ID。
> y <- 5
> .get(g,as.character(y))
5
5281052
(这有时比使用因素更方便/透明。)