18

我有一个字符串,例如"3.1 ml"or"abc 3.1 xywazw"

我想"3.1"从这个字符串中提取。我在stackoverflow上发现了很多关于从字符串中提取数字的问题,但是对于十进制数字的情况没有解决方案。

4

4 回答 4

18

使用stringr库:

x<-"abc 3.1 xywazw"
str_extract(x, "\\d+\\.*\\d*")
[1] "3.1"
于 2013-10-08T16:01:01.423 回答
18

这种方法使小数点和小数部分可选,并允许提取多个数字:

str <- " test 3.1 test 5"
as.numeric(unlist(regmatches(str,
                             gregexpr("[[:digit:]]+\\.*[[:digit:]]*",str))
          )      )
#[1] 3.1 5.0

可以通过可选的 perl 样式前瞻来解决对负数的担忧:

 str <- " test -4.5 3.1 test 5"
    as.numeric(unlist(regmatches(str,gregexpr("(?>-)*[[:digit:]]+\\.*[[:digit:]]*",str, perl=TRUE))))

#[1] -4.5  3.1  5.0
于 2013-10-08T16:55:37.397 回答
7

浮点数的正则表达式来自http://www.regular-expressions.info/floatingpoint.html稍作调整以在 R 中工作。

s <- "1e-6 dkel"
regmatches(s,gregexpr("[-+]?[0-9]*\\.?[0-9]+([eE][-+]?[0-9]+)?",s)) 
> [[1]]
> [1] "1e-6"
于 2013-10-08T19:25:33.573 回答
1

您可以使用正则表达式:

> str <- " test 3.1 test"
> as.numeric(regmatches(str,regexpr("[[:digit:]]+\\.[[:digit:]]+",str)))
[1] 3.1

regexpr返回匹配字符串的起始位置和长度。regmatches返回匹配项。然后,您可以将其转换为数字。

于 2013-10-08T16:19:00.717 回答