如果我有一个如下所示的文本字符串,我如何在 c# 的集合中收集括号的内容,即使它超过换行符?
例如...
string s = "test [4df] test [5yu] test [6nf]";
应该给我..
集合[0] = 4df
收藏[1] = 5yu
集合[2] = 6nf
您可以使用正则表达式和一些 Linq 来做到这一点。
string s = "test [4df] test [5y" + Environment.NewLine + "u] test [6nf]";
ICollection<string> matches =
Regex.Matches(s.Replace(Environment.NewLine, ""), @"\[([^]]*)\]")
.Cast<Match>()
.Select(x => x.Groups[1].Value)
.ToList();
foreach (string match in matches)
Console.WriteLine(match);
输出:
4df
5yu
6nf
以下是正则表达式的含义:
\[ : Match a literal [
( : Start a new group, match.Groups[1]
[^]] : Match any character except ]
* : 0 or more of the above
) : Close the group
\] : Literal ]
Regex regex = new Regex(@"\[[^\]]+\]", RegexOptions.Multiline);
关键是要正确转义正则表达式中使用的特殊字符,例如你可以[
这样匹配一个字符:@"\["
Regex rx = new Regex(@"\[.+?\]");
var collection = rx.Matches(s);
您将需要修剪方括号,重要的部分是惰性运算符。