1

可能重复:
测试正则表达式在 PHP 中是否有效

 <?php 

    $subject = "PHP is the web scripting language of choice.";    
    $pattern = 'sssss';

    if(preg_match($pattern,$subject))
    {
        echo 'true';
    }
    else
    {
        echo 'false';
    }

?>

上面的代码给了我警告,因为字符串$pattern不是有效的正则表达式。

如果我通过有效的正则表达式,那么它工作正常......

我如何检查$pattern是有效的正则表达式?

4

3 回答 3

5

如果正则表达式有问题,您可以编写一个引发错误的函数。(就像我认为应该的那样。)使用@来抑制警告是不好的做法,但如果你用抛出的异常替换它应该没问题。

function my_preg_match($pattern,$subject)
{
    $match = @preg_match($pattern,$subject);

    if($match === false)
    {
        $error = error_get_last();
        throw new Exception($error['message']);
    }
    return false;
}

然后你可以检查正则表达式是否正确

$subject = "PHP is the web scripting language of choice.";    
$pattern = 'sssss';

try
{
    my_preg_match($pattern,$subject);
    $regexp_is_correct = true;
}
catch(Exception $e)
{
    $regexp_is_correct = false;
}
于 2013-01-10T10:28:57.063 回答
0

使用===运算符:

<?php 

    $subject = "PHP is the web scripting language of choice.";    
    $pattern = 'sssss';

    $r = preg_match($pattern,$subject);
    if($r === false)
    {
        // preg matching failed (most likely because of incorrect regex)
    }
    else
    {
        // preg match succeeeded, use $r for result (which can be 0 for no match)
        if ($r == 0) {
            // no match
        } else {
            // $subject matches $pattern
        }
    }

?>
于 2013-01-10T08:07:12.007 回答
-1

你可以preg_match用 try catch 包装,如果它抛出异常,则认为结果为 false。

无论如何,您可以查看正则表达式以检测有效的正则表达式

于 2013-01-10T08:24:51.670 回答