在c#中分割字符串

本文关键字:字符串 分割 | 更新日期: 2023-09-27 18:04:03

我正在尝试在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, @"'[[^[]+']");

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

任何帮助将不胜感激!

在c#中分割字符串

使用Regex.Matches方法:

string[] result =
  Regex.Matches(str, @"'[.*?']").Cast<Match>().Select(m => m.Value).ToArray();

Split方法返回指定模式的实例之间的子字符串。例如:

var items = Regex.Split("this is a test", @"'s");

array result in the [ "this", "is", "a", "test" ] .

解决方案是使用Matches

var matches =  Regex.Matches(str, @"'[[^[]+']");

您可以使用Linq轻松地获得匹配值的数组:

var split = matches.Cast<Match>()
                   .Select(m => m.Value)
                   .ToArray();

另一种选择是使用lookaround断言进行分割。

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

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

您可以在字符串上使用Split方法,而不是使用正则表达式,如下所示

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

你会失去[]周围的结果与此方法,但并不难在需要时添加它们。