3

我无法根据正则表达式拆分字符串。

String str = "1=(1-2,3-4),2=2,3=3,4=4";
Pattern commaPattern = Pattern.compile("\\([0-9-]+,[0-9-]+\\)|(,)") ;
String[] arr = commaPattern.split(str);
for (String s : arr)
{
    System.out.println(s);
}

预期输出,

1=(1-2,3-4)     
2=2    
3=3    
4=4

实际输出,

1=

2=2
3=3
4=4
4

4 回答 4

5

此正则表达式将根据需要 拆分

,(?![^()]*\\))
  ------------
      |->split with , only if it is not within ()
于 2013-03-29T08:01:30.400 回答
3

这不太适合split(...). 考虑扫描输入并match改为:

String str = "1=(1-2,3-4),2=2,3=3,4=4";

Matcher m = Pattern.compile("(\\d+)=(\\d+|\\([^)]*\\))").matcher(str);

while(m.find()) {
  String key = m.group(1);
  String value = m.group(2);
  System.out.printf("key=%s, value=%s\n", key, value);
}

这将打印:

key=1, value=(1-2,3-4)
key=2, value=2
key=3, value=3
key=4, value=4
于 2013-03-29T08:13:53.253 回答
1

您将不得不在这里使用一些前瞻机制。正如我所看到的,您试图将其拆分为不在括号中的逗号。但是你的正则表达式说:

Split on comma OR on comma between numbers in parenthesis 

所以你的字符串被分成 4 个地方 1) (1-2,3-4) 2-4) 逗号

于 2013-03-29T07:54:19.153 回答
-4
String[] arr = commaPattern.split(str);

应该

String[] arr = str.split(commaPattern);
于 2013-03-29T07:47:03.007 回答