11

我正在尝试通过以下方式在 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, @"\[[^[]+\]");

但它不能以这种方式正常工作,我只是得到一个空数组或字符串

任何帮助,将不胜感激!

4

4 回答 4

22

请改用以下Regex.Matches方法:

string[] result =
  Regex.Matches(str, @"\[.*?\]").Cast<Match>().Select(m => m.Value).ToArray();
于 2013-03-14T22:50:59.650 回答
16

该方法返回指定模式实例之间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();
于 2013-03-14T22:49:37.683 回答
2

另一种选择是使用环视断言进行拆分。

例如

string[] split = Regex.Split(str, @"(?<=\])(?=\[)");

这种方法有效地分割了右方括号和左方括号之间的空白。

于 2013-03-15T00:07:15.313 回答
-1

Split您可以像这样在字符串上使用该方法,而不是使用正则表达式

Split(new[] { '\n', '[', ']' }, StringSplitOptions.RemoveEmptyEntries)

使用这种方法,您会在结果周围松动[]但根据需要将它们重新添加并不难。

于 2013-03-14T22:54:37.040 回答