我有一个像“1000/Refuse5.jpg”或“50/Refuse5.jpeg”这样的字符串。请注意,字符串的第一部分——在这个例子中是 1000 或 50——是可变的。我想通过 C# 方法从这个字符串中获取“5”数字。有人能帮我吗?
问问题
350 次
4 回答
3
您可以使用正则表达式
string input = "1000/Refuse5.jpg";
var num = Regex.Matches(input, @"\d+").Cast<Match>().Last().Value;
于 2013-09-11T17:06:42.160 回答
1
更清洁的正则表达式:
Console.WriteLine (Regex.Match("123ABC5", @"\d", RegexOptions.RightToLeft).Value); // 5
请注意,如果最后一个数字超过一位,请\d+
改用。
于 2013-09-11T17:23:03.893 回答
1
更受约束的正则表达式。
var fileName = "1000/Refuse5.jpg";
var match = Regex.Match(fileName, @"(?<=\D+)(\d+)(?=\.)");
if(match.Success)
{
var value = int.Parse(match.Value);
}
于 2013-09-11T17:09:02.597 回答
0
您可以使用正则表达式提取字符串的相关部分,然后将其转换为整数。您需要研究您的输入集并确保您使用的正则表达式符合您的需求。
string input = "1234/Refuse123.jpg";
// Look for any non / characters until you hit a /
// then match any characters other than digits as many
// as possible. After that, match digits as many as possible
// and capture them in a group (hence the paranthesis). And
// finally match everything else at the end of the string
Regex regex = new Regex("[^/]*/[^\\d]*([\\d]*).*");
var match = regex.Match(input);
// Group 0 will be the input string
// Group 1 will be the captured numbers
Console.WriteLine(match.Groups[1]);
于 2013-09-11T17:11:07.057 回答