45

我有两个数据框(A 和 B),都有一个“C”列。我想检查数据框 A 中“C”列中的值是否存在于数据框 B 中。

A = data.frame(C = c(1,2,3,4))
B = data.frame(C = c(1,3,4,7))
4

1 回答 1

106

使用%in%如下

A$C %in% B$C

这将告诉您 A 的 C 列的哪些值在 B 中。

返回的是一个逻辑向量。在您的示例的特定情况下,您将获得:

A$C %in% B$C
# [1]  TRUE FALSE  TRUE  TRUE

您可以将其用作行的A索引或用作A$C获取实际值的索引:

# as a row index
A[A$C %in% B$C,  ]  # note the comma to indicate we are indexing rows

# as an index to A$C
A$C[A$C %in% B$C]
[1] 1 3 4  # returns all values of A$C that are in B$C

我们也可以否定它:

A$C[!A$C %in% B$C]
[1] 2   # returns all values of A$C that are NOT in B$C



如果您想知道特定值是否在 B$C 中,请使用相同的函数:

  2 %in% B$C   # "is the value 2 in B$C ?"  
  # FALSE

  A$C[2] %in% B$C  # "is the 2nd element of A$C in B$C ?"  
  # FALSE
于 2012-12-08T05:26:07.033 回答