我有类似的东西:
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
来获得它,就像这样:
grepl("A" , all$One) -> all&Three
。但是我有几百种情况,因此我无法编写所有这些单独的查询。
那么,如何在grepl
函数中将整个“ Two”单元格实现为模式?
答案 0 :(得分:2)
您可以使用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)
答案 1 :(得分:2)
您可以使用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"))