我试图用以下方式在C#中拆分字符串:
传入字符串的格式为
string str = "[message details in here][another message here]/n/n[anothermessage here]"
我正在尝试将其拆分为
形式的字符串数组string[0] = "[message details in here]"
string[1] = "[another message here]"
string[2] = "[anothermessage here]"
我试图以这样的方式做到这一点
string[] split = Regex.Split(str, @"\[[^[]+\]");
但是这样做不正常,我只是得到一个空数组或字符串
任何帮助将不胜感激!
答案 0 :(得分:20)
请改用Regex.Matches
方法:
string[] result =
Regex.Matches(str, @"\[.*?\]").Cast<Match>().Select(m => m.Value).ToArray();
答案 1 :(得分:13)
Split
方法在指定模式的实例之间返回子字符串。例如:
var items = Regex.Split("this is a test", @"\s");
数组[ "this", "is", "a", "test" ]
中的结果。
解决方案是使用Matches
代替。
var matches = Regex.Matches(str, @"\[[^[]+\]");
然后,您可以使用Linq轻松获取匹配值数组:
var split = matches.Cast<Match>()
.Select(m => m.Value)
.ToArray();
答案 2 :(得分:2)
另一种选择是使用外观断言进行拆分。
e.g。
string[] split = Regex.Split(str, @"(?<=\])(?=\[)");
这种方法有效地分割了一个闭合和开口方括号之间的空隙。
答案 3 :(得分:-1)
您可以在字符串上使用Split
方法,而不是使用正则表达式
Split(new[] { '\n', '[', ']' }, StringSplitOptions.RemoveEmptyEntries)
使用此方法,您的结果会遗漏[
和]
,但根据需要将其重新添加并不难。