Are there named groups in Groovy regex pattern mat

2020-02-19 08:15发布

Something like:

def match = "John 19" =~ /(&name&)\w+ (&age&\d+)/
def name = match.name
def age = match.age

Is there a groovy syntax that allows for something like this (instead of of the fictional & operator I made up?

标签: regex groovy
3条回答
孤傲高冷的网名
2楼-- · 2020-02-19 08:44

Assuming you are using on Java 7+, you can do:

def matcher = 'John 19' =~ /(?<name>\w+) (?<age>\d+)/
if( matcher.matches() ) {
  println "Matches"
  assert matcher.group( 'name' ) == 'John'
  assert matcher.group( 'age' ) == '19'
}
else {
  println "No Match"
}

If you are not on java 7 yet, you'd need a third party regex library

查看更多
淡お忘
3楼-- · 2020-02-19 08:47

Alternative:

def foo = '''(id:(1 2 3)) OR (blubb)
(id:(4 5 6)) OR (fasel)
'''
​def matcher =  (foo =~ /\(id:\((.+)\)\) OR (.*)/)
def (whole, bar, baz) = matcher[0]
assert whole == '(id:(1 2 3)) OR (blubb)'
assert bar == '1 2 3'
assert baz == '(blubb)'

(whole, bar, baz) = matcher[1]
assert whole == '(id:(4 5 6)) OR (fasel)'
assert bar == '4 5 6'
assert baz == '(fasel)'
查看更多
Melony?
4楼-- · 2020-02-19 08:49

This doesn't name the groups, but a closure does parameterise the match:

("John 19" =~ /(\w+) (\d+)/).each {match, name, age ->
  println match
  println name
  println age
}

which outputs:

John 19
John
19

This is a useful reference: http://naleid.com/blog/2008/05/19/dont-fear-the-regexp/

查看更多
登录 后发表回答