我是正则表达式的新手。如何从以下行拆分点数据:
((X1,Y1),(X2,Y2),(X3,Y3))
拆分为:
(X1,Y1)
(X2,Y2)
(X3,Y3)
提前致谢 :)
好吧,当引入嵌套括号时,使用正则表达式从括号或括号中提取内容可能很快就会变得复杂。但仍然在您当前的情况下,您似乎可以使用Pattern
and Matcher
class 获得结果(不要尝试split
,因为它会稍微复杂一些):
String str = "((X1,Y1),(X2,Y2),(X3,Y3))";
// The below pattern will fail with nested brackets - (X1, (X2, Y2)).
// But again, that doesn't seem to be the case here.
Matcher matcher = Pattern.compile("[(][^()]*[)]").matcher(str);
while (matcher.find()) {
System.out.println(matcher.group());
}
这是另一个答案的替代方法,它查找模式的(XXX,YYY)
类型:
String s = "((X1,Y1),(X2,Y2),(X3,Y3))";
Matcher m = Pattern.compile("(\\(\\w+,\\w+\\))").matcher(s);
while(m.find()) {
System.out.println(m.group());
}