3

我正在使用 Java 的正则表达式库。我想根据以下格式验证字符串:

31,5,46,7,86(...)

数字的数量是未知的。我想确保该字符串中至少有一个数字,并且每两个数字用逗号分隔。我也想从字符串中获取数字。

注意:这只是一个简化的例子,string.split 并不能解决我的实际问题)

我写了以下正则表达式:

({[0-9]++)((?:,[0-9]++)*+)

验证部分有效。但是,当我尝试提取数字时,我得到 2 组:

Group1: 31
Group2: ,5,46,7,86

正则表达式101版本: https ://regex101.com/r/xJ5oQ6/3

有没有办法单独获取每个号码?即以收集结束:

[31, 5, 46, 7, 86]

提前致谢。

4

2 回答 2

5

Java 不允许您访问重复捕获组的单个匹配项。有关更多信息,请查看此问题:正则表达式 - 捕获所有重复组

Tim Pietzcker 提供的代码也可以帮助您。如果你稍微修改一下并为第一个数字添加一个特殊情况,你可以使用这样的东西:

String target = "31,5,46,7,86";

Pattern compileFirst = Pattern.compile("(?<number>[0-9]+)(,([0-9])+)*");
Pattern compileFollowing = Pattern.compile(",(?<number>[0-9]+)");

Matcher matcherFirst = compileFirst.matcher(target);
Matcher matcherFollowing = compileFollowing.matcher(target);

System.out.println("matches: " + matcherFirst.matches());
System.out.println("first: " + matcherFirst.group("number"));

int start = 0;
while (matcherFollowing.find(start)) {
    String group = matcherFollowing.group("number");

    System.out.println("following: " + start + " - " + group);
    start = matcherFollowing.end();
}

这输出:

matches: true
first: 31
following: 0 - 5
following: 4 - 46
following: 7 - 7
following: 9 - 86
于 2016-06-10T14:43:54.723 回答
0

这可能对您有用:

/(?=[0-9,]+$)((?<=,|^)[0-9]{1,2})(?=,|$)/g

上面捕获一个或两个数字,后跟,输入或结束。

请注意,我使用了global 修饰符。

在线尝试

于 2016-06-10T14:22:46.773 回答