php中的PCRE 函数,正则表达式处理函数。
有时候在一些特定的业务场景中需要匹配,或者提取一些关键的信息,例如匹配网页中的一些链接,
提取一些数据时,可能会用到正则匹配。
下面介绍一下php中的一些常用的正则处理函数。
一、preg_replace($pattern,$replacement,$subject)
执行一个正则表达式的搜索和替换。
<?php echo "<pre>"; $str = "12,34:56;784;35,67:897:65"; //要求将上面的:,;都换成空格 print_r(preg_replace("/[,;:]/"," ",$str)); ?> //输出 12 34 56 784 35 67 897 65
二、preg_match($pattern,$subject,&$matches)
执行匹配正则表达式
<?php echo "<pre>"; $str = "<a href=\"https://www.baidu.com\">团购商品</a>"; //匹配出链接地址 preg_match("/<a href=\"(.*?)\">.*?<\/a>/",$str,$res); print_r($res); ?> //输出 Array ( [0] => 团购商品 [1] => https://www.baidu.com )
三、preg_match_all($pattern,$subject,&$matches)
执行一个全局正则表达式匹配
<?php echo "<pre>"; $str=<<<EOF <div> <a href="index.php">首页</a> <a href="category.php?id=3">GSM手机</a> <a href="category.php?id=4">双模手机</a> <a href="category.php?id=6">手机配件</a> </div> EOF; //使用全局正则匹配 preg_match_all("/<a href=\"(.*?)\">(.*?)<\/a>/s",$str,$res); print_r($res); ?> //输出 Array ( [0] => Array ( [0] => 首页 [1] => GSM手机 [2] => 双模手机 [3] => 手机配件 ) [1] => Array ( [0] => index.php [1] => category.php?id=3 [2] => category.php?id=4 [3] => category.php?id=6 ) [2] => Array ( [0] => 首页 [1] => GSM手机 [2] => 双模手机 [3] => 手机配件 ) )
四、preg_split($pattern,$subject)
通过一个正则表达式分隔字符串
<?php echo "<pre>"; $str = "12,34:56;784;35,67:897:65"; //分隔字符串 $arr = preg_split("/[,;:]/",$str); print_r($arr); ?> //输出 Array ( [0] => 12 [1] => 34 [2] => 56 [3] => 784 [4] => 35 [5] => 67 [6] => 897 [7] => 65
)
五、preg_quote($str)
转义正则表达式字符
正则表达式特殊字符有:. \ + * ? [ ^ ] $ ( ) { } = ! < > : -
<?php echo "<pre>"; echo preg_quote("(abc){10}");//在每个正则表达式语法的字符前增加一个反斜杠 ?> //输出 \(abc\)\{10\}
六、子存储
<?php echo "<pre>"; //子存储使用 $date="[2012-08-09],[2012,09-19],[2011/08,09],[2012/10/09],[2013,08,01]"; //将上面字串中合法的日期匹配出来 preg_match_all("/\[[0-9]{4}([\-,\/])[0-9]{2}\\1[0-9]{2}\]/",$date,$a); print_r($a); ?> //输出 Array ( [0] => Array ( [0] => [2012-08-09] [1] => [2012/10/09] [2] => [2013,08,01] ) [1] => Array ( [0] => - [1] => / [2] => , ) )
详细版请参考:https://www.cnblogs.com/yafei236/p/4168290.html