R,在矢量化范围内加入

时间:2016-05-10 19:35:07

标签: r merge dplyr sqldf

我试图连接两个数据集,其中一个数据集中的变量(或基因组上的位置)在第二个数据集中(基因开始/停止位置)。但是,位置不是唯一的,而是嵌套在另一列(染色体)中。基因开始/停止位置也是如此。我的目标是将每个位置与相应的注释和效果相关联。

例如:

library(sqldf)
set.seed(100)
a <- data.frame(
    annotation = sample(c("this", "that", "other"), 3, replace=TRUE),
    start = seq(1, 30, 10),
    chr = sample(1:3, 3, replace=TRUE)
  )
a$stop <- a$start + 10
b <- data.frame(
    chr = sample(1:3, 3, replace=TRUE),
    position = sample(1:15, 3, replace=TRUE),
    effect = sample(c("high", "low"), 3, replace=TRUE)
  )

SQL内部联接让我成为那里的一部分:

df<-sqldf("SELECT a.start, a.stop, a.annotation, b.effect, b.position
    FROM a, b
    inner JOIN a b on(b.position >= a.start and b.position <= a.stop);")

但这并不能解释每条染色体位置的重复。 我在将此包装到循环或应用函数时遇到了概念上的麻烦。

我没有坚持使用SQL,这只是我以前解决一个更简单问题的方式。我还不确定制作一个额外的索引列是否合适,因为我有数千个染色体值。

我想要的输出如下所示:

    df$chr<-c("NA","2","2")
      start stop annotation effect position chr
1     1   11       this   high        3  NA
2     1   11       this   high       10  NA
3    11   21       this    low       14   2

每个position被放置在正确的start上的stopchr点之间,或NA的{​​{1}}点chr 1}}匹配。

2 个答案:

答案 0 :(得分:4)

data.table的{​​{3}}引入了非等联接,允许:

library(data.table)
setDT(a) # converting to data.table in place
setDT(b)

b[a, on = .(position >= start, position <= stop), nomatch = 0,
  .(start, stop, annotation, effect, x.position, chr = ifelse(i.chr == x.chr, i.chr, NA))]
#   start stop annotation effect x.position chr
#1:     1   11       this   high          3  NA
#2:     1   11       this   high         10  NA
#3:    11   21       this    low         14   2

答案 1 :(得分:2)

我认为这就是你所追求的:

sqldf(
    "Select start, stop, annotation, effect, position,
    case when a.chr = b.chr then a.chr else NULL end as chr
    from b left join a
    on b.position between a.start and a.stop
    "
)
#   start stop annotation effect position chr
# 1     1   11       this   high        3  NA
# 2     1   11       this   high       10  NA
# 3    11   21       this    low       14   2