13

如何在 C# 中使用正则表达式检索选定的文本?

我正在寻找与此 Perl 代码等效的 C# 代码:

$indexVal = 0;
if($string =~ /Index: (\d*)/){$indexVal = $1;}
4

5 回答 5

7
int indexVal = 0;
Regex re = new Regex(@"Index: (\d*)")
Match m = re.Match(s)

if(m.Success)
  indexVal = int.TryParse(m.Groups[1].toString());

我可能有错误的组号,但你应该能够从这里弄清楚。

于 2008-08-12T23:12:48.927 回答
7

我认为 Patrick 做到了这一点——我唯一的建议是记住命名的正则表达式组也存在,因此您不必使用数组索引号。

Regex.Match(s, @"Index (?<num>\d*)").Groups["num"].Value

我发现这种正则表达式也更具可读性,尽管意见不同......

于 2008-08-12T23:27:54.093 回答
1

你会想要利用匹配的组,所以像......

Regex MagicRegex = new Regex(RegexExpressionString);
Match RegexMatch;
string CapturedResults;

RegexMatch = MagicRegex.Match(SourceDataString);
CapturedResults = RegexMatch.Groups[1].Value;
于 2008-08-12T23:12:49.613 回答
1

那将是

int indexVal = 0;
Regex re = new Regex(@"Index: (\d*)");
Match m = re.Match(s);

if (m.Success)
    indexVal = m.Groups[1].Index;

你也可以命名你的组(这里我也跳过了正则表达式的编译)

int indexVal = 0;
Match m2 = Regex.Match(s, @"Index: (?<myIndex>\d*)");

if (m2.Success)
    indexVal = m2.Groups["myIndex"].Index;
于 2008-08-12T23:35:05.560 回答
0
int indexVal = 0;
Regex re = new Regex.Match(s, @"(<?=Index: )(\d*)");

if(re.Success)
{
  indexVal = Convert.ToInt32(re.Value);
}
于 2012-07-02T23:41:03.897 回答