我有以下文字:
node [
id 2
label "node 2"
thisIsASampleAttribute 43
]
node [
id 3
label "node 3"
thisIsASampleAttribute 44
]
我想将每个节点及其内容分组到括号内,例如:
node [
id 2
label "node 2"
thisIsASampleAttribute 43
]
但是,我使用以下代码对整个文本进行分组:
Pattern p = Pattern.compile("node \\[\n(.*|\n)*?\\]", Pattern.MULTILINE);
Matcher m = p.matcher(text);
while(m.find())
{
System.out.println(m.group());
}
编辑文字:
node [\n" +
" id 2\n" +
" label \"node 2\"\n" +
" thisIsASampleAttribute 43\n" +
" ]\n" +
" node [\n" +
" id 3\n" +
" label \"node 3\"\n" +
" thisIsASampleAttribute 44\n" +
" ]\n"
答案 0 :(得分:2)
问题是您只使用(.*|\n)*?
捕获最后一个字符(因为.?
不在捕获组内。)
您可以将捕获组更改为非捕获组,然后将其与*?
一起包装捕获组,以捕获所有匹配((?:.*?|\n)*?)
。
Pattern p = Pattern.compile("node \\[\\n((?:.*?|\\n)*?)\\]", Pattern.MULTILINE);
Matcher m = p.matcher(text);
while(m.find())
{
System.out.println(m.group(1));
}
但是,上面的正则表达式效率相对较低。一种可能更好的方法是将非]
字符与否定字符集([^\]]*)
匹配。
Pattern p = Pattern.compile("node \\[\\n([^\\]]*)\\]", Pattern.MULTILINE);
Matcher m = p.matcher(text);
while(m.find())
{
System.out.println(m.group(1));
}