我有以下数据结构
ID Type Values
1 A 5; 7; 8
2 A 6
3 B 2; 3
我想使用R:
将其重塑为以下内容ID Type Values
1 A 5
1 A 7
1 A 8
2 A 6
3 B 2
3 B 3
我一直试图找出如何用plyr做到这一点,但没有任何成功。这样做的最佳方式是什么?
答案 0 :(得分:5)
由于您要求plyr
解决方案,请转到:
ddply(df, .(Type), function(foo) {
values <- unlist(strsplit(c(foo$Values), ";"))
data.frame(Type = rep(unique(foo$Type), length(values)), Values = values)
})
答案 1 :(得分:2)
我的镜头:
a <- data.frame(id = 1:3,
type = c("A", "A", "B"),
values = c("5; 7; 8", "6", "2; 3"))
g <- strsplit(as.character(a$values), ";")
data.frame(id = rep(a$id, lapply(g, length)),
type = rep(a$type, lapply(g, length)),
values = unlist(g))
答案 2 :(得分:2)
用于编码优雅的data.table
方法
library(data.table)
DT <- data.table(dat)
DT[, list(Value = unlist(strsplit(as.character(Values), '; '))), by = list(ID, Type)]
答案 3 :(得分:1)
不是一个漂亮的答案,但它可能有用
DF <- data.frame(ID=1:3,
Type=c('A','A','B'),
Values=c(' 5; 7; 8', '6', ' 2;3')) # this is your df
# split vectors and coercing values to be numeric
List <- lapply(strsplit(Values, ';'), as.numeric)
# The desired output
data.frame(ID=rep(ID, sapply(List, length)),
Type=rep(Type, sapply(List, length)),
Values = unlist(List))
ID Type Values
1 1 A 5
2 1 A 7
3 1 A 8
4 2 A 6
5 3 B 2
6 3 B 3
答案 4 :(得分:1)
到目前为止,答案很棒。这是又一个。
# The data
DF <- data.frame(ID=1:3,
Type=c('A','A','B'),
Values=c(' 5; 7; 8', '6', ' 2;3'))
此解决方案使用“reshape2”包中的colsplit()
函数。一个缺点是它希望您知道所需的结果列数。
require(reshape2)
DF2 <- data.frame(DF[-3], colsplit(DF$Values, ";", c("V.1", "V.2", "V.3")))
na.omit(melt(DF2, id.vars=c("ID", "Type")))
# ID Type variable value
# 1 1 A V.1 5
# 2 2 A V.1 6
# 3 3 B V.1 2
# 4 1 A V.2 7
# 6 3 B V.2 3
# 7 1 A V.3 8
从这里,您可以根据需要对列进行排序和删除,以获得最终所需的输出。
答案 5 :(得分:0)
这应该有用,但也许有更好的方法:
#recreate data set
dat <- data.frame(ID=1:3, Type=c("A", "A", "B"), Values=c("5; 7; 8", "6", "2; 3"))
#split the Value column by ;
a <- strsplit(as.character(dat$Values), ";", fixed=TRUE)
#remove extra white
a <- lapply(a, function(x) gsub("^\\s+|\\s+$", "", x))
#get the length of each cell in Value so we can use this to index the rows
lens <- sapply(a, length)
#index rows and rename row names to numeric indexes
dat2 <- dat[rep(1:nrow(dat), lens), 1:2]
rownames(dat2) <- NULL
#add the stretched new column back
dat2$Value <- as.numeric(unlist(a))