我想用逗号分割字符串,但是我想要忽略括号之间的逗号。
例如:
Input:
a1:b1, a2:b2, [a3:b3-c3, b4, b5], a4:b6
Output:
a1:b1
a2:b2
[a3:b3-c3, b4, b5]
a4:b6
提前感谢您的帮助。
答案 0 :(得分:1)
你必须解析char-by-char才能准确,否则你可以这样做:
(伪代码)
1. replace all brackets by (distinct) dummy placeholders (the format will depend on your context)
2. split the (new) string by the (remaining) commas (st.split(","))
3. re-replace the distinct placeholders with the original brackets values (you will have to store them somewhere) (foreach placeholder: st = st.replace(placeholder, bracket);)
注意:在第1步,你不要手动替换占位符,使用正则表达式(例如/[[^]]+]/
)用占位符替换括号(并存储它们),然后在步骤3中替换。
示例:
输入:
a1:b1, a2:b2, [a3:b3-c3, b4, b5], a4:b6
第一步:中间输出:
a1:b1, a2:b2, __PLACEHOLDER1_, a4:b6
第二步:中间输出:
a1:b1
a2:b2
__PLACEHOLDER1_
a4:b6
第3步:输出:
a1:b1
a2:b2
[a3:b3-c3, b4, b5]
a4:b6
有效地,你在这里做的是分层 拆分和替换,因为没有正则表达式可以匹配上下文敏感(因为没有正则表达式可以计算parantheses)。
答案 1 :(得分:0)
您可以使用此正则表达式,(?![^\[]*\])
:
String str="a1:b1, a2:b2, [a3:b3-c3, b4, b5], a4:b6";
System.out.println(Arrays.toString(str.split(",(?![^\\[]*\\])")));
它将忽略方括号内的所有逗号。
import java.util.Arrays;
public class HelloWorld{
public static void main(String []args){
String str="a1:b1, a2:b2, [a3:b3-c3, b4, b5], a4:b6";
System.out.println(Arrays.toString(str.split(",(?![^\\[]*\\])")));
}
}
输出:
[a1:b1, a2:b2, [a3:b3-c3, b4, b5], a4:b6]