我需要在C#中剪切并保存/使用部分字符串。我认为最好的方法是使用Regex。我的字符串看起来像这样:
"changed from 1 to 10"
。
我需要一种方法来删除这两个数字并在其他地方使用它们。有什么好办法呢?
答案 0 :(得分:11)
错误检查左侧作为练习...
Regex regex = new Regex( @"\d+" );
MatchCollection matches = regex.Matches( "changed from 1 to 10" );
int num1 = int.Parse( matches[0].Value );
int num2 = int.Parse( matches[1].Value );
答案 1 :(得分:4)
仅匹配字符串“从x更改为y”:
string pattern = @"^changed from ([0-9]+) to ([0-9]+)$";
Regex r = new Regex(pattern);
Match m = r.match(text);
if (m.Success) {
Group g = m.Groups[0];
CaptureCollection cc = g.Captures;
int from = Convert.ToInt32(cc[0]);
int to = Convert.ToInt32(cc[1]);
// Do stuff
} else {
// Error, regex did not match
}
答案 2 :(得分:2)
在正则表达式中,将要记录的字段放在括号中,然后使用Match.Captures
属性提取匹配的字段。
有一个C#示例here。
答案 3 :(得分:1)
使用命名捕获组。
Regex r = new Regex("*(?<FirstNumber>[0-9]{1,2})*(?<SecondNumber>[0-9]{1,2})*");
string input = "changed from 1 to 10";
string firstNumber = "";
string secondNumber = "";
MatchCollection joinMatches = regex.Matches(input);
foreach (Match m in joinMatches)
{
firstNumber= m.Groups["FirstNumber"].Value;
secondNumber= m.Groups["SecondNumber"].Value;
}
获取Expresson来帮助您,它有一个导出到C#选项。
免责声明:正则表达式可能不对(我的快递副本已过期:D)
答案 4 :(得分:0)
这是一个代码片段,几乎我想要的东西:
using System.Text.RegularExpressions;
string text = "changed from 1 to 10";
string pattern = @"\b(?<digit>\d+)\b";
Regex r = new Regex(pattern);
MatchCollection mc = r.Matches(text);
foreach (Match m in mc) {
CaptureCollection cc = m.Groups["digit"].Captures;
foreach (Capture c in cc){
Console.WriteLine((Convert.ToInt32(c.Value)));
}
}