如何访问.NET Regex中的命名捕获组?
我很难找到一个很好的资源来解释如何在C#中使用命名捕获组。 这是我迄今为止的代码:
string page = Encoding.ASCII.GetString(bytePage);
Regex qariRegex = new Regex("<td><a href="(?<link>.*?)">(?<name>.*?)</a></td>");
MatchCollection mc = qariRegex.Matches(page);
CaptureCollection cc = mc[0].Captures;
MessageBox.Show(cc[0].ToString());
然而这总是显示整条线:
<td><a href="/path/to/file">Name of File</a></td>
我已经尝试过在不同网站上发现的其他几种“方法”,但我一直得到相同的结果。
我如何访问在我的正则表达式中指定的命名捕获组?
使用Match对象的组合集,使用捕获组名称进行索引,例如
foreach (Match m in mc){
MessageBox.Show(m.Groups["link"].Value);
}
您通过将指定的捕获组字符串传递给Match
对象的Groups
属性的索引器来指定命名的捕获组字符串。
这是一个小例子:
using System;
using System.Text.RegularExpressions;
class Program
{
static void Main()
{
String sample = "hello-world-";
Regex regex = new Regex("-(?<test>[^-]*)-");
Match match = regex.Match(sample);
if (match.Success)
{
Console.WriteLine(match.Groups["test"].Value);
}
}
}
以下代码示例,即使在两者之间有空格字符的情况下也会匹配该模式。 即:
<td><a href='/path/to/file'>Name of File</a></td>
以及:
<td> <a href='/path/to/file' >Name of File</a> </td>
方法根据输入的htmlTd字符串是否匹配模式或否,返回true或false。 如果匹配,则out params分别包含链接和名称。
/// <summary>
/// Assigns proper values to link and name, if the htmlId matches the pattern
/// </summary>
/// <returns>true if success, false otherwise</returns>
public static bool TryGetHrefDetails(string htmlTd, out string link, out string name)
{
link = null;
name = null;
string pattern = "<td>s*<as*hrefs*=s*(?:"(?<link>[^"]*)"|(?<link>S+))s*>(?<name>.*)s*</a>s*</td>";
if (Regex.IsMatch(htmlTd, pattern))
{
Regex r = new Regex(pattern, RegexOptions.IgnoreCase | RegexOptions.Compiled);
link = r.Match(htmlTd).Result("${link}");
name = r.Match(htmlTd).Result("${name}");
return true;
}
else
return false;
}
我已经测试过这个,它能正常工作。
链接地址: http://www.djcxy.com/p/74805.html上一篇: How do I access named capturing groups in a .NET Regex?