1

我目前正在尝试实现相对简单的任务,即使用正则表达式从存在于花括号集之间的字符串中捕获值。我编写的表达式在我测试过的许多在线工具上运行良好,但在 .NET 中并非如此。

String str= "{Value1}-{Value2}.{Value3}";
Regex regex = new Regex( @"\{(\w+)\}");

MatchCollection matches = regex.Matches(str);

foreach(Match match in matches)
{
    Console.WriteLine(match.Value);
}

我希望得到 3 个匹配的“Value1”、“Value2”、“Value3”。但是.NET 也返回括号,即“{Value1}”、“{Value2}”、“{Value3}”。

关于如何实现这一点的任何帮助都会很棒。

4

3 回答 3

4

您使用了捕获组(...),因此您想要的是Groups[1]

Regex regex = new Regex(@"\{(\w+)\}");

MatchCollection matches = regex.Matches(str);

foreach (Match match in matches) {
    Console.WriteLine(match.Groups[1].Value);
} 

另一种方法是使用零宽度断言:

Regex regex = new Regex(@"(?<=\{)(\w+)(?=\})");

MatchCollection matches = regex.Matches(str);

foreach (Match match in matches) {
    Console.WriteLine(match.Value);
} 

这样,正则表达式将搜索\w+and 之前和之后的 that {}但这两个字符不会成为匹配的一部分。

于 2015-03-05T10:47:12.533 回答
2

您可以使用环视:

Regex regex = new Regex( @"(?<=\{)(\w+)(?=\})");

或使用匹配组#1。

于 2015-03-05T10:47:27.407 回答
0

You can use

Console.WriteLine(match.Groups[1].Value);

From MSDN:

If the regular expression engine can find a match, the first element of the GroupCollection object (the element at index 0) returned by the Groups property contains a string that matches the entire regular expression pattern. Each subsequent element, from index one upward, represents a captured group, if the regular expression includes capturing groups.

So match.Groups[0].Value is {Value1} itself and match.Groups[1].Value is Value1.

于 2015-03-05T10:50:38.383 回答