如何使用C#Regex简化此模式匹配逻辑?

时间:2013-09-19 15:28:45

标签: c# regex

早上好!希望有人可以通过一些模式匹配来帮助我。

我想要做的是将一串数字与一堆文本进行匹配。唯一的问题是,我不想在我正在寻找的数字的左侧和/或右侧匹配任何有更多数字的东西(字母很好)。

以下是一些有效的代码,但似乎有三个IsMatch调用是矫枉过正的。问题是,我无法弄清楚如何将其减少到只有IsMatch次呼叫。

static void Main(string[] args)
{
    List<string> list = new List<string>();

    list.Add("cm1312nfi"); // WANT
    list.Add("cm1312");  // WANT
    list.Add("cm1312n"); // WANT
    list.Add("1312");    // WANT
    list.Add("13123456"); // DON'T WANT
    list.Add("56781312"); // DON'T WANT
    list.Add("56781312444"); // DON'T WANT

    list.Add(" cm1312nfi "); // WANT
    list.Add(" cm1312 ");    // WANT
    list.Add("cm1312n ");    // WANT
    list.Add(" 1312");       // WANT
    list.Add(" 13123456");   // DON'T WANT
    list.Add(" 56781312 ");  // DON'T WANT

    foreach (string s in list)
    {
        // Can we reduce this to just one IsMatch() call???
        if (s.Contains("1312") && !(Regex.IsMatch(s, @"\b[0-9]+1312[0-9]+\b") || Regex.IsMatch(s, @"\b[0-9]+1312\b") || Regex.IsMatch(s, @"\b1312[0-9]+\b")))
        {
            Console.WriteLine("'{0}' is a match for '1312'", s);
        }
        else
        {
            Console.WriteLine("'{0}' is NOT a match for '1312'", s);
        }
    }
}

提前感谢您提供任何帮助!

〜先生。斯波克

5 个答案:

答案 0 :(得分:1)

您可以使角色类可选匹配:

if (s.Contains("1312") && !Regex.IsMatch(s, @"\b[0-9]*1312[0-9]*\b"))
{
    ....

看一下惊人的Regexplained:http://tinyurl.com/q62uqr3

答案 1 :(得分:1)

要捕获无效模式,请使用:

Regex.IsMatch(s, @"\b[0-9]*1312[0-9]*\b")

此外,[0-9]可以替换为\d

答案 2 :(得分:1)

您可以使用负面外观进行单次检查:

@"(?<![0-9])1312(?![0-9])"

(?<![0-9])确保1312之前没有数字,(?![0-9])确保1312之后没有数字。

答案 3 :(得分:0)

您只能选择之前,之后或之前的所有字母

@"\b[a-z|A-Z]*1312[a-z|A-Z]*\b"

答案 4 :(得分:0)

对于好奇心灵 - 解决上述问题的另一种方法是什么?

        foreach (string s in list)
        {
            var rgx = new Regex("[^0-9]");
            // Remove all characters other than digits
            s=rgx.Replace(s,"");
            // Can we reduce this to just one IsMatch() call???
            if (s.Contains("1312") && CheckMatch(s))
            {
                Console.WriteLine("'{0}' is a match for '1312'", s);
            }
            else
            {
                Console.WriteLine("'{0}' is NOT a match for '1312'", s);
            }
        }
       private static bool CheckMatch(string s)
       {
            var index = s.IndexOf("1312");
            // Check if no. of characters to the left of '1312' is same as no. of characters to its right
            if(index == s.SubString(index).Length()-4)
               return true;
            return false;
       }

考虑不匹配“131213121312”。