我在Regex101上测试了我的正则表达式,并捕获了所有组并匹配了我的字符串。但是现在当我尝试在Java上使用它时,它返回给我一个
java.lang.IllegalStateException:在第9行上找不到匹配项
String subjectCode = "02 credits between ----";
String regex1 = "^(\\d+).*credits between --+.*?$";
Pattern p1 = Pattern.compile(regex1);
Matcher m;
if(subjectCode.matches(regex1)){
m = p1.matcher(regex1);
m.find();
[LINE 9]Integer subjectCredits = Integer.valueOf(m.group(1));
System.out.println("Subject Credits: " + subjectCredits);
}
那怎么可能,怎么了?
最佳答案
这是一个修复程序和优化程序(感谢@cricket_007):
String subjectCode = "02 credits between ----";
String regex1 = "(\\d+).*credits between --+.*";
Pattern p1 = Pattern.compile(regex1);
Matcher m = p1.matcher(subjectCode);
if (m.matches()) {
Integer subjectCredits = Integer.valueOf(m.group(1));
System.out.println("Subject Credits: " + subjectCredits);
}
您需要将输入字符串传递给
matcher
。作为一个较小的增强,您可以仅使用1 Matcher#matches
,然后在匹配时访问捕获的组。正则表达式不需要^
和$
,因为使用matches()
时,整个输入应与模式匹配。见IDEONE demo