58

我有以下代码行

String time = "14:35:59.99";
String timeRegex = "(([01][0-9])|(2[0-3])):([0-5][0-9]):([0-5][0-9])(.([0-9]{1,3}))?";
String hours, minutes, seconds, milliSeconds;
Pattern pattern = Pattern.compile(timeRegex);
Matcher matcher = pattern.matcher(time);
if (matcher.matches()) {
    hours = matcher.replaceAll("$1");
    minutes = matcher.replaceAll("$4");
    seconds = matcher.replaceAll("$5");
    milliSeconds = matcher.replaceAll("$7");
}

我使用matcher.replace正则表达式组的方法和反向引用来获取小时、分钟、秒和毫秒。有没有更好的方法来获得正则表达式组的价值。我试过了

hours = matcher.group(1);

但它会引发以下异常:

java.lang.IllegalStateException: No match found
    at java.util.regex.Matcher.group(Matcher.java:477)
    at com.abnamro.cil.test.TimeRegex.main(TimeRegex.java:70)

我在这里错过了什么吗?

4

2 回答 2

92

如果您避免调用matcher.replaceAll. 当您调用replaceAll它时,它会忘记任何以前的匹配项。

String time = "14:35:59.99";
String timeRegex = "([01][0-9]|2[0-3]):([0-5][0-9]):([0-5][0-9])(?:\\.([0-9]{1,3}))?";
Pattern pattern = Pattern.compile(timeRegex);
Matcher matcher = pattern.matcher(time);
if (matcher.matches()) {
    String hours = matcher.group(1);
    String minutes = matcher.group(2);
    String seconds = matcher.group(3);
    String miliSeconds = matcher.group(4);
    System.out.println(hours + ", " + minutes  + ", " + seconds + ", " + miliSeconds);
}

请注意,我还对您的正则表达式进行了一些改进:

  • (?: ... )对于您对捕获不感兴趣的组,我使用了非捕获组。
  • 我已经更改了与仅匹配点的.任何字符\\.匹配的字符。

在线查看它:ideone

于 2012-07-26T09:34:49.997 回答
20

如果您matcher.find()在调用组函数之前使用它,它会起作用。

于 2012-07-26T09:38:03.853 回答