16位数字的基本正则表达式

时间:2012-04-20 12:27:39

标签: c# .net regex windows

我目前有一个正则表达式从文件中提取一个16位数字,例如:

正则表达式:

Regex.Match(l, @"\d{16}")

这适用于以下数字:

  

1234567891234567

虽然我怎么能在正则表达式中包含数字,例如:

  

1234 5678 9123 4567

  

1234-5678-9123-4567

5 个答案:

答案 0 :(得分:3)

如果所有组总是4位数长:

\b\d{4}[ -]?\d{4}[ -]?\d{4}[ -]?\d{4}\b

确保组之间的分隔符相同:

\b\d{4}(| |-)\d{4}\1\d{4}\1\d{4}\b

答案 1 :(得分:1)

如果它总是在一起或四人组,那么使用单个正则表达式执行此操作的一种方法是:

Regex.Match(l, @"\d{16}|\d{4}[- ]\d{4}[- ]\d{4}[- ]\d{4}")

答案 2 :(得分:1)

您可以尝试以下方式:

^([0-9]{4}[\s-]?){3}([0-9]{4})$

这应该可以解决问题。

请注意: 这也允许

1234-5678 9123 4567

对于短划线或仅空格并不严格。

答案 3 :(得分:0)

另一种选择是只使用你当前拥有的正则表达式,并在运行正则表达式之前从字符串中删除所有违规字符:

var input = fileValue.Replace("-",string.Empty).Replace(" ",string.Empty);
Regex.Match(input, @"\d{16}");

答案 4 :(得分:0)

这是一个模式,它将获取所有数字并删除破折号或空格。请注意,它还会检查以确认只有16个数字。忽略选项是对模式进行注释,它不会影响匹配处理。

string value = "1234-5678-9123-4567";
string pattern = @"
^                   # Beginning of line
(                   # Place into capture groups for 1 match
  (?<Number>\d{4})    # Place into named group capture
  (?:[\s-]?)          # Allow for a space or dash optional
){4}                  # Get 4 groups
(?!\d)                # 17th number, do not match! abort
$                   # End constraint to keep int in 16 digits
";

var result = Regex.Match(value, pattern, RegexOptions.IgnorePatternWhitespace)
                  .Groups["Number"].Captures
                  .OfType<Capture>()
                  .Aggregate (string.Empty, (seed, current) => seed + current);


Console.WriteLine ( result ); // 1234567891234567

// Shows False due to 17 numbers!
Console.WriteLine ( Regex.IsMatch("1234-5678-9123-45678", pattern, RegexOptions.IgnorePatternWhitespace));