11

我有一个data.frame对象列表,我想将它们排成一行,即merge(..., all=T). 但是,merge似乎删除了我需要保持完整的行名。有任何想法吗?例子:

x = data.frame(a=1:2, b=2:3, c=3:4, d=4:5, row.names=c("row_1", "another_row1"))
y = data.frame(a=c(10,20), b=c(20,30), c=c(30,40), row.names=c("row_2", "another_row2"))
> merge(x, y, all=T, sort=F)
     a  b  c  d
  1  1  2  3  4
  2  2  3  4  5
  3 10 20 30 NA
  4 20 30 40 NA
4

2 回答 2

15

既然你知道你实际上并没有合并,而只是 rbind-ing,也许这样的事情会起作用。它利用了rbind.fill“plyr”。要使用它,请指定您想要list的s 中的一个。data.framerbind

RBIND <- function(datalist) {
  require(plyr)
  temp <- rbind.fill(datalist)
  rownames(temp) <- unlist(lapply(datalist, row.names))
  temp
}
RBIND(list(x, y))
#               a  b  c  d
# row_1         1  2  3  4
# another_row1  2  3  4  5
# row_2        10 20 30 NA
# another_row2 20 30 40 NA
于 2013-02-10T15:56:15.610 回答
11

一种方法是row.names在合并中使用,以便您将其作为附加列。

> merge(x, y, by=c("row.names", "a","b","c"), all.x=T, all.y=T, sort=F)

#      Row.names  a  b  c  d
# 1        row_1  1  2  3  4
# 2 another_row1  2  3  4  5
# 3        row_2 10 20 30 NA
# 4 another_row2 20 30 40 NA

编辑:通过查看merge带有 的函数getS3method('merge', 'data.frame')row.names显然将其设置为 NULL(这是一个很长的代码,所以我不会在这里粘贴)。

# Commenting 
# Lines 63 and 64
row.names(x) <- NULL
row.names(y) <- NULL

# and 
# Line 141 (thanks Ananda for pointing out)
attr(res, "row.names") <- .set_row_names(nrow(res))

并创建一个新函数,比如 ,MERGE就像 OP 打算在这个例子中那样工作。只是一个实验。

于 2013-02-10T15:55:31.273 回答