我有一个像“1000 / Refuse5.jpg”或“50 / Refuse5.jpeg”这样的字符串。 请注意,此示例1000或50中的字符串的第一部分是可变的。 我希望通过C#方法从这个字符串中获取“5”数字。 有人能帮助我吗?
答案 0 :(得分:3)
您可以使用Regex
string input = "1000/Refuse5.jpg";
var num = Regex.Matches(input, @"\d+").Cast<Match>().Last().Value;
答案 1 :(得分:1)
更受约束的正则表达式。
var fileName = "1000/Refuse5.jpg";
var match = Regex.Match(fileName, @"(?<=\D+)(\d+)(?=\.)");
if(match.Success)
{
var value = int.Parse(match.Value);
}
答案 2 :(得分:1)
清洁正则表达式:
Console.WriteLine (Regex.Match("123ABC5", @"\d", RegexOptions.RightToLeft).Value); // 5
请注意,如果最后一个数字超过一位,请使用\d+
。
答案 3 :(得分: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]);