8

代码 :

import java.util.regex.*;

public class eq {
    public static void main(String []args) {
        String str1 = "some=String&Here&modelId=324";
        Pattern rex = Pattern.compile(".*modelId=([0-9]+).*");
        Matcher m = rex.matcher(str1);
        System.out.println("id = " + m.group(1));
    }
}

错误 :

Exception in thread "main" java.lang.IllegalStateException: No match found

我在这里做错了什么?

4

2 回答 2

25

您需要先调用find()Matcher然后才能调用group()查询匹配文本或对其进行操作的相关函数(start()end()appendReplacement(StringBuffer sb, String replacement)等)。

所以在你的情况下:

if (m.find()) {
    System.out.println("id = " + m.group(1));
}

这将找到第一个匹配项(如果有)并提取与正则表达式匹配的第一个捕获组。如果要在输入字符串中查找所有匹配项,请更改if为循环。while

于 2013-03-01T08:06:58.690 回答
3

您必须在调用之前添加此行group()

m.find();

这会将指针移动到下一个匹配项的开头(如果有) - 如果找到匹配项,该方法将返回 true。

通常,这是您使用它的方式:

if (m.find()) {
    // access groups found. 
}
于 2013-03-01T08:07:06.773 回答