我有这样的字符串:
years<-c("20 years old", "1 years old")
我只想从这个向量中提取数字。预期输出是一个向量:
c(20, 1)
我该怎么做呢?
怎么样
# pattern is by finding a set of numbers in the start and capturing them
as.numeric(gsub("([0-9]+).*$", "\\1", years))
或者
# pattern is to just remove _years_old
as.numeric(gsub(" years old", "", years))
或者
# split by space, get the element in first index
as.numeric(sapply(strsplit(years, " "), "[[", 1))
更新
由于extract_numeric
已弃用,我们可以parse_number
从readr
包中使用。
library(readr)
parse_number(years)
这是另一种选择extract_numeric
library(tidyr)
extract_numeric(years)
#[1] 20 1
我认为替代是解决问题的一种间接方式。如果您想检索所有数字,我建议gregexpr
:
matches <- regmatches(years, gregexpr("[[:digit:]]+", years))
as.numeric(unlist(matches))
如果您在一个字符串中有多个匹配项,这将获得所有匹配项。如果您只对第一场比赛感兴趣,请使用regexpr
而不是,gregexpr
您可以跳过unlist
.
这是 Arun 的第一个解决方案的替代方案,具有更简单的类似 Perl 的正则表达式:
as.numeric(gsub("[^\\d]+", "", years, perl=TRUE))
或者简单地说:
as.numeric(gsub("\\D", "", years))
# [1] 20 1
stringr
流水线解决方案:
library(stringr)
years %>% str_match_all("[0-9]+") %>% unlist %>% as.numeric
你也可以去掉所有的字母:
as.numeric(gsub("[[:alpha:]]", "", years))
不过,这可能不太普遍。
我们也可以使用str_extract
fromstringr
years<-c("20 years old", "1 years old")
as.integer(stringr::str_extract(years, "\\d+"))
#[1] 20 1
如果字符串中有多个数字并且我们想提取所有数字,我们可以使用str_extract_all
which str_extract
distinct 返回所有的 macthes。
years<-c("20 years old and 21", "1 years old")
stringr::str_extract(years, "\\d+")
#[1] "20" "1"
stringr::str_extract_all(years, "\\d+")
#[[1]]
#[1] "20" "21"
#[[2]]
#[1] "1"
从开始位置的任何字符串中提取数字。
x <- gregexpr("^[0-9]+", years) # Numbers with any number of digits
x2 <- as.numeric(unlist(regmatches(years, x)))
从任何位置的字符串INDEPENDENT中提取数字。
x <- gregexpr("[0-9]+", years) # Numbers with any number of digits
x2 <- as.numeric(unlist(regmatches(years, x)))
使用unglue包我们可以做到:
# install.packages("unglue")
library(unglue)
years<-c("20 years old", "1 years old")
unglue_vec(years, "{x} years old", convert = TRUE)
#> [1] 20 1
由reprex 包(v0.3.0)于 2019-11-06 创建
更多信息:https ://github.com/moodymudskipper/unglue/blob/master/README.md
在Gabor Grothendieck 在 r-help 邮件列表中发帖之后
years<-c("20 years old", "1 years old")
library(gsubfn)
pat <- "[-+.e0-9]*\\d"
sapply(years, function(x) strapply(x, pat, as.numeric)[[1]])