如何计算R中data.table中的出现组合

时间:2014-09-16 13:02:57

标签: r data.table summarization

我有两个data.tables。我想计算与另一个表中的表的组合匹配的行数。我检查了data.table文档,但我没有找到答案。我正在使用data.table 1.9.2。

DT1 <- data.table(a=c(3,2), b=c(8,3))
DT2 <- data.table(w=c(3,3,3,2,3), x=c(8,8,8,3,7), z=c(2,6,7,2,2))
DT1
#    a b
# 1: 3 8
# 2: 2 3

DT2
#    w x z
# 1: 3 8 2
# 2: 3 8 6
# 3: 3 8 7
# 4: 2 3 2
# 5: 3 7 2

现在我想计算DT2中(3,8)对和(2,3)对的数量。

setkey(DT2, w, x)
nrow(DT2[J(3, 8), nomatch=0])
# [1] 3    ## OK !

nrow(DT2[J(2, 3), nomatch=0])
# [1] 1    ## OK !

DT1[,count_combination_in_dt2 := nrow(DT2[J(a, b), nomatch=0])]
DT1
#    a b count_combination_in_dt2
# 1: 3 8                        4 ## not ok.
# 2: 2 3                        4 ## not ok.

预期结果:

#    a b count_combination_in_dt2
# 1: 3 8                        3 
# 2: 2 3                        1 

2 个答案:

答案 0 :(得分:9)

setkey(DT2, w, x)

DT2[DT1, .N, by = .EACHI]
#   w x N
#1: 3 8 3
#2: 2 3 1

# In versions <= 1.9.2, use DT2[DT1, .N] instead

以上只是合并并计算i-expression定义的每个组的行数,因此by = .EACHI

答案 1 :(得分:1)

您只需添加by=list(a,b)即可。

DT1[,count_combination_in_dt2:=nrow(DT2[J(a,b),nomatch=0]), by=list(a,b)]
DT1
## 
##    a b count_combination_in_dt2
## 1: 3 8                        3
## 2: 2 3                        1

编辑:更多详细信息:在原始版本中,您使用了DT2[DT1, nomatch=0](因为您使用了所有a, b组合。如果您想为每个J(a,b)使用a, b单独组合,您需要使用by参数。data.table然后按a, b分组,nrow(...)在每个组中进行评估。