SQL 的 LIKE 'description%' 语句的 R 等价物是什么?

新手上路,请多包涵

不知道怎么问这个但是,我想在几个字符串元素中搜索一个词。这是我的代码的样子(但错误):

 inplay = vector(length=nrow(des))
for (ii in 1:nrow(des)) {
 if (des[ii] = 'In play%')
  inplay[ii] = 1
 else inplay[ii] = 0
}

des 是一个向量,用于存储诸如“Swinging Strike”、“In play (run(s))”、“In play (out(s)recorded)”等字符串。我想要 inplay 存储的是 1 和 0与 des 向量对应的向量,inplay 中的 1 表示 des 值中有“In play%”,否则为 0。

我相信第 3 行是不正确的,因为这只是返回一个 0 向量,最后一个元素为 1。

提前致谢!

原文由 Albert Lyu 发布,翻译遵循 CC BY-SA 4.0 许可协议

阅读 289
2 个回答

R 类似于 SQL 的 LIKE 只是 R 的普通索引语法。

“LIKE”运算符通过将指定列中的字符串值与用户提供的模式匹配来从表中选择数据行

> # create a data frame having a character column
> clrs = c("blue", "black", "brown", "beige", "berry", "bronze", "blue-green", "blueberry")
> dfx = data.frame(Velocity=sample(100, 8), Colors=clrs)
> dfx
            Velocity    Colors
        1       90       blue
        2       94      black
        3       71      brown
        4       36      beige
        5       75      berry
        6        2     bronze
        7       89    blue-green
        8       93    blueberry

> # create a pattern to use (the same as you would do when using the LIKE operator)
> ptn = '^be.*?'  # gets beige and berry but not blueberry
> # execute a pattern-matching function on your data to create an index vector
> ndx = grep(ptn, dfx$Colors, perl=T)
> # use this index vector to extract the rows you want from the data frome:
> selected_rows = dfx[ndx,]
> selected_rows
   Velocity Colors
     4       36  beige
     5       75  berry

在 SQL 中,这将是:

 SELECT * FROM dfx WHERE Colors LIKE ptn3

原文由 doug 发布,翻译遵循 CC BY-SA 2.5 许可协议

data.table 的语法通常 与 SQL 相似。该软件包包括 %like% ,这是一个“调用正则表达式的便利函数”。以下是从其帮助文件中获取的示例:

 ## Create the data.table:
DT = data.table(Name=c("Mary","George","Martha"), Salary=c(2,3,4))

## Subset the DT table where the Name column is like "Mar%":
DT[Name %like% "^Mar"]
##      Name Salary
## 1:   Mary      2
## 2: Martha      4

原文由 dnlbrky 发布,翻译遵循 CC BY-SA 3.0 许可协议

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题