R中的一个细胞包含在另一个细胞中



我有这样的东西:

One       Two 
A,B,C       A 
A,C,        Z 
R,F,        K 
T           T  

如果"二"包含在"一"中,我想进入"第三"是/否。

One       Two    Three
A,B,C       A     yes
A,C,        Z     no 
R,F,        K     no 
T           T     yes  

我知道我可以通过使用grepl来获得它,就像这样:CCD_ 2。但我有几百个案例,所以我无法编写所有这些单独的查询
那么我应该如何在grepl函数中将整个"Two"单元格实现为一个模式呢?

您可以使用mapply():

all <- read.table(header=TRUE, stringsAsFactors = FALSE, text=
"One       Two 
A,B,C       A 
A,C,        Z 
R,F,        K 
T           T")
all$Three <- mapply(grepl, all$Two, all$One)
all
# > all
#     One Two Three
# 1 A,B,C   A  TRUE
# 2  A,C,   Z FALSE
# 3  R,F,   K FALSE
# 4     T   T  TRUE

如果你真的想要"是"或"否"作为结果,那么你可以这样做:

all$Three <- ifelse(mapply(grepl, all$Two, all$One), "yes", "no")

或(如Rui Barradas评论,thx(:

all$Three <- factor(mapply(grepl, all$Two, all$One), labels = c("no", "yes"))

您可以使用stringr::str_detect

library(tidyverse)
df %>%
mutate_if(is.factor, as.character) %>%
mutate(Three = str_detect(One, Two))
#    One Two Three
#1 A,B,C   A  TRUE
#2  A,C,   Z FALSE
#3  R,F,   K FALSE
#4     T   T  TRUE

样本数据

df <- read.table(text  =
"One       Two
A,B,C       A
A,C,        Z
R,F,        K
T           T", header = T)

相关内容

  • 没有找到相关文章

最新更新