帮助对c#中的文本字符串进行正则表达式验证

时间:2009-08-18 05:25:20

标签: c# regex string validation text

我试图验证必须采用以下格式的文本字符串,

数字“1”后跟分号,后跟1到3个数字 - 它看起来像这样。

1:1(正确)
1:34(正确)
1:847(正确)
1:2322(不正确)

除了数字之外,不能有任何字母或其他内容。

有谁知道如何用REGEX做到这一点?并在C#

1 个答案:

答案 0 :(得分:7)

以下模式可以帮到您:

^1:\d{1,3}$

示例代码:

string pattern = @"^1:\d{1,3}$";
Console.WriteLine(Regex.IsMatch("1:1", pattern)); // true
Console.WriteLine(Regex.IsMatch("1:34", pattern)); // true
Console.WriteLine(Regex.IsMatch("1:847", pattern)); // true
Console.WriteLine(Regex.IsMatch("1:2322", pattern)); // false

为了更方便的访问,您应该将验证放在一个单独的方法中:

private static bool IsValid(string input)
{
    return Regex.IsMatch(input, @"^1:\d{1,3}$", RegexOptions.Compiled);
}

模式说明:

^     - the start of the string
1     - the number '1'
:     - a colon
\d    - any decimal digit
{1,3} - at least one, not more than three times
$     - the end of the string

^$字符使模式与完整字符串匹配,而不是查找嵌入在较大字符串中的有效字符串。如果没有它们,模式也会匹配"1:2322""the scale is 1:234, which is unusual"等字符串。