Complete word matching using grepl in R

半世苍凉 提交于 2019-11-26 09:52:01

问题


Consider the following example:

> testLines <- c(\"I don\'t want to match this\",\"This is what I want to match\")
> grepl(\'is\',testLines)
> [1] TRUE TRUE

What I want, though, is to only match \'is\' when it stands alone as a single word. From reading a bit of perl documentation, it seemed that the way to do this is with \\b, an anchor that can be used to identify what comes before and after the patter, i.e. \\bword\\b matches \'word\' but not \'sword\'. So I tried the following example, with use of Perl syntax set to \'TRUE\':

> grepl(\'\\bis\\b\',testLines,perl=TRUE)
> [1] FALSE FALSE

The output I\'m looking for is FALSE TRUE.


回答1:


"\<" is another escape sequence for the beginning of a word, and "\>" is the end. In R strings you need to double the backslashes, so:

> grepl("\\<is\\>", c("this", "who is it?", "is it?", "it is!", "iso"))
[1] FALSE  TRUE  TRUE  TRUE FALSE

Note that this matches "is!" but not "iso".




回答2:


you need double-escaping to pass escape to regex:

> grepl("\\bis\\b",testLines)
[1] FALSE  TRUE



回答3:


Very simplistically, match on a leading space:

testLines <- c("I don't want to match this","This is what I want to match")
grepl(' is',testLines)
[1] FALSE  TRUE

There's a whole lot more than this to regular expressions, but essentially the pattern needs to be more specific. What you will need in more general cases is a huge topic. See ?regex

Other possibilities that will work for this example:

grepl(' is ',testLines)
[1] FALSE  TRUE
grepl('\\sis',testLines)
[1] FALSE  TRUE
grepl('\\sis\\s',testLines)
[1] FALSE  TRUE


来源:https://stackoverflow.com/questions/6528258/complete-word-matching-using-grepl-in-r

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!