我有以下模式:
Pattern TAG = Pattern.compile("(<[\\w]+]>)|(</[\\w]+]>)");
请注意 |在模式中。
我有一个方法可以用这个模式进行一些处理
private String format(String s){
Matcher m = TAG.matcher(s);
StringBuffer sb = new StringBuffer();
while(m.find()){
//This is where I need to find out what part
//of | (or) matched in the pattern
// to perform additional processing
}
return sb.toString();
}
我想根据 OR 匹配的部分来执行不同的功能正则表达式。我知道我可以将模式分解为 2 个不同的模式并对每个模式进行匹配,但这不是我正在寻找的解决方案,因为我的实际正则表达式要复杂得多,并且如果我可以在单个循环和正则表达式中完成它,我试图完成的功能将效果最好。所以我的问题是:
java中有没有办法找出OR的哪一部分在正则表达式中匹配?
编辑我也知道 m.group() 功能。它不适用于我的情况。下面的例子打印出<TAG>
和</TAG>
因此,对于循环的第一次迭代,它匹配 <[\\w]+>
第二次迭代它匹配 </[\\w]+>
。但是我需要知道每次迭代中哪个部分匹配。
static Pattern u = Pattern.compile("<[\\w]+>|</[\\w]+>");
public static void main(String[] args) {
String xml = "<TAG>044453</TAG>";
Matcher m = u.matcher(xml);
while (m.find()) {
System.out.println(m.group(0));
}
}
看看group()
Matcher
上的方法,您可以执行以下操作:
if (m.group(1) != null) {
// The first grouped parenthesized section matched
}
else if (m.group(2) != null) {
// The second grouped parenthesized section matched
}
编辑:恢复到原始组号 - 不需要额外的括号。这应该适用于如下模式:
static Pattern TAG = Pattern.compile("(<[\\w]+>)|(</[\\w]+>)");
我是一名优秀的程序员,十分优秀!