嗯......如何在调用preg_replace时使用变量?
这不起作用:
foreach($numarray as $num => $text)
{
$patterns[] = '/<ces>(.*?)\+$num(.*?)<\/ces>/';
$replacements[] = '<ces>$1<$text/>$2</ces>';
}
是的,$num
前面有一个加号。是的,我想“tag the $num as <$text/>
”。
答案 0 :(得分:13)
您的替换模式看起来不错,但由于您在匹配模式中使用了单引号,因此不会将$ num变量插入其中。相反,尝试
$patterns[] = '/<ces>(.*?)\+'.$num.'(.*?)<\/ces>/';
$replacements[] = '<ces>$1<'.$text.'/>$2</ces>';
另请注意,在使用此类“未知”输入构建模式时,使用preg_quote通常是个好主意。 e.g。
$patterns[] = '/<ces>(.*?)\+'.preg_quote($num).'(.*?)<\/ces>/';
虽然我认为给定变量名称,但在你的情况下它总是数字。
答案 1 :(得分:12)
变量只会在strings declared with double quotes中展开。所以要么使用双引号:
$patterns[] = "/<ces>(.*?)\\+$num(.*?)<\\/ces>/";
$replacements[] = "<ces>$1<$text/>$2</ces>";
或者使用字符串连接:
$patterns[] = '/<ces>(.*?)\+'.$num.'(.*?)<\/ces>/';
$replacements[] = '<ces>$1<'.$text.'/>$2</ces>';
如果您的变量可能包含正则表达式元字符,您还应该查看preg_quote
。