那个正则表达式怎么样?

时间:2015-04-16 14:40:20

标签: c# regex

我的表达式遵循一些规则:

  • 角色'必须是第一个和最后一个字符
  • ''
  • 内可以有零个或多个空格
  • %
  • 内可以有零个或多个''
  • ''
  • 中可以有零个或多个单词(字母和数字)

表达式:

(?i)^(?<q>['])[%\p{Zs}\p{L}\p{N}|()]*\k<q>$

现在我需要另一个表达式来替换所有)和(在一个字符串中用于&#34; TEST&#34;例如,但仅当它们没有被&#39;&#39;包围时。         诀窍是,当)或(被&#39;包围时,但这些字符属于另一对&#39;&#39;,它不应该通过。

结果示例:

    '(' > pass
    ' ( ' > pass
    ')'   > pass
    ' ) '   > pass
    ' content here ' ' )'  > pass
    ' content here' ) ' another content'  > does not pass

请注意,第一个内容包含&#39;&#39;和第二个内容。任何)或(如果它介于它们之间,则不应通过。

我不是正规表达的专业人士,所以如果你不知道它会是什么,那么任何相关的文档或教程都会有很大的帮助。

2 个答案:

答案 0 :(得分:3)

您可以使用正则表达式:

^.*[()](?=[^']*'(?>(?:[^']*'[^']*){2})*$)

请参阅demo

代码:

var rgxHardNut = new Regex(@"^.*[()](?=[^']*'(?>(?:[^']*'[^']*){2})*$)");
var check1 = rgxHardNut.IsMatch("'('");  // true
var check2 = rgxHardNut.IsMatch("' ( '");// true
var check3 = rgxHardNut.IsMatch("')'");  // true
var check4 = rgxHardNut.IsMatch("' ) '");// true
var check5 = rgxHardNut.IsMatch("' content here ' ' )'"); // true
var check6 = rgxHardNut.IsMatch("' content here' ) ' another content'"); // false

答案 1 :(得分:3)

我认为应该这样做:

Regex regex = new Regex(@"^'[^']*?'(?:(?:[^()]*)'[^']*?')*$");

编辑演示

class Program
{
    static void Main(string[] args)
    {
        Regex regex = new Regex(@"^'[^']*?'(?:(?:[^()]*)'[^']*?')*$");

        string shouldPass1 = "'('";
        string shouldPass2 = "' ( '";
        string shouldPass3 = "')'";
        string shouldPass4 = "'('";
        string shouldPass5 = "' content here ' ' )'";
        string shouldFail = "' content here' ) ' another content'";

        Console.WriteLine("Pass1 : {0}",regex.IsMatch(shouldPass1));
        Console.WriteLine("Pass2 : {0}", regex.IsMatch(shouldPass2));
        Console.WriteLine("Pass3 : {0}", regex.IsMatch(shouldPass3));
        Console.WriteLine("Pass4 : {0}", regex.IsMatch(shouldPass4));
        Console.WriteLine("Pass5 : {0}", regex.IsMatch(shouldPass5));
        Console.WriteLine("Fail : {0}", regex.IsMatch(shouldFail));

        string wholeThing = string.Format(
            "{0}\n{1}\n{2}\n{3}\n{4}\n{5}",
            shouldPass1,
            shouldPass2,
            shouldPass3,
            shouldPass4,
            shouldPass5,
            shouldFail);

        Console.WriteLine("Alltogether (should fail too): {0}", regex.IsMatch(wholeThing));
    }
}

或者没有正则表达式(Tim Schmelter会为我感到自豪):

private static bool IsMatch(string text)
{
    bool result = text[0] == '\'' && text[text.Length - 1] == '\'';
    bool opened = false;

    for (int i = 0; result && i < text.Length; i++)
    {
        char currentchar = text[i];

        if (currentchar == '\'')
        {
            opened = !opened;
        }
        if (!opened && (currentchar == '(' || currentchar == ')'))
        {
            result = false;
        }
    }

    return result;
}