参数'pattern'的长度为> 1,只使用第一个元素 - GSUB()

时间:2017-05-23 14:28:51

标签: r dataframe

我有以下问题。

table <- data.frame(col1 = c("cars1 gm", "cars2 gl"), col2 = c("cars1 motor mel", "cars2 prom del"))

      col1            col2
1 cars1 gm cars1 motor mel
2 cars2 gl  cars2 prom del

table$word <- gsub(table$col1, ' ', table$col2) 
  

警告消息:在gsub(表$ col1,“”,表$ col2)中:参数   'pattern'的长度> 1,只使用第一个元素

如何创建一个名为“word”的新列,其中仅包含col1中未出现的col2值?

      col1            col2       word
1 cars1 gm cars1 motor mel  motor mel
2 cars2 gl  cars2 prom del   prom del

4 个答案:

答案 0 :(得分:4)

您可以使用gsub构建查询,然后sapply使用列来执行感兴趣的gsub

table$col1 <- gsub(" ", "|", table$col1)
table$word <- sapply(1:nrow(table), function(x) gsub(table$col1[x], "", table$col2[x]))

table
#      col1            col2       word
#1 cars1|gm cars1 motor mel  motor mel
#2 cars2|gl  cars2 prom del   prom del

使用与上述答案类似的想法,但使用mapply代替sapply

table$word <- mapply(function(x, y) gsub( gsub(" ", "|", x), "", y),
                                    table$col1,
                                    table$col2)

答案 1 :(得分:2)

您可以使用mapply

#Make sure you read your data with stringsAsFactors = FALSE, 
table<-data.frame(col1=c("cars1 gm","cars2 gl"),
                  col2=c("cars1 motor mel", "cars2 prom del"), stringsAsFactors = FALSE)

table$word <- mapply(function(x, y) 
                     trimws(gsub(sapply(strsplit(x, ' '), paste, collapse = '|'), '', y)), 
                     table$col1, table$col2)
table
#      col1            col2      word
#1 cars1 gm cars1 motor mel motor mel
#2 cars2 gl  cars2 prom del  prom del

答案 2 :(得分:1)

您可以像这样使用mapplypastestrsplit

table$word <- mapply(function(x, y) paste(y[!(y %in% x)], collapse=" "),
                     strsplit(as.character(table$col1), split=" "),
                     strsplit(as.character(table$col2), split=" "))

这里,strsplit在“”上拆分字符向量并返回一个列表。这两个列表被送到mapply,它检查每个列表的相应值,并返回第二个列表中不在第一个列表中的值。生成的向量与paste及其崩溃参数粘贴在一起。

返回

table
      col1            col2      word
1 cars1 gm cars1 motor mel motor mel
2 cars2 gl  cars2 prom del  prom del

答案 3 :(得分:0)

您可以在col1col2中拆分字符串,因为这些字词的顺序可能不同,然后您可以选择仅显示在col2中的字词{ {1}}:

setdiff

返回:

table$word=sapply(1:nrow(table),function(i)
paste(setdiff(unlist(strsplit(table$col2[i]," ")),
unlist(strsplit(table$col1[i]," "))),collapse=" "))