Warm tip: This article is reproduced from serverfault.com, please click

其他-从Groovy中的字符串中提取数字数据

(其他 - Extract numeric data from string in groovy)

发布于 2013-03-22 14:13:35

给我一个可以同时包含文本和数字数据的字符串:

例子:

“ 100磅”“我认为173磅”“ 73磅”。

我正在寻找一种干净的方法来仅从这些字符串中提取数字数据。

这是我目前正在剥离响应的内容:

def stripResponse(String response) {
    if(response) {
        def toRemove = ["lbs.", "lbs", "pounds.", "pounds", " "]
        def toMod = response
        for(remove in toRemove) {
            toMod = toMod?.replaceAll(remove, "")
        }
        return toMod
    }
}
Questioner
Joel Miller
Viewed
0
tim_yates 2013-03-22 22:53:18

你可以使用findAll然后将结果转换为Integers:

def extractInts( String input ) {
  input.findAll( /\d+/ )*.toInteger()
}

assert extractInts( "100 pounds is 23"  ) == [ 100, 23 ]
assert extractInts( "I think 173 lbs"   ) == [ 173 ]
assert extractInts( "73 lbs."           ) == [ 73 ]
assert extractInts( "No numbers here"   ) == []
assert extractInts( "23.5 only ints"    ) == [ 23, 5 ]
assert extractInts( "positive only -13" ) == [ 13 ]

如果你需要小数和负数,则可以使用更复杂的正则表达式:

def extractInts( String input ) {
  input.findAll( /-?\d+\.\d*|-?\d*\.\d+|-?\d+/ )*.toDouble()
}

assert extractInts( "100 pounds is 23"   ) == [ 100, 23 ]
assert extractInts( "I think 173 lbs"    ) == [ 173 ]
assert extractInts( "73 lbs."            ) == [ 73 ]
assert extractInts( "No numbers here"    ) == []
assert extractInts( "23.5 handles float" ) == [ 23.5 ]
assert extractInts( "and negatives -13"  ) == [ -13 ]