首先,我想对是否存在现有线程表示歉意,我进行了很多搜索,但找不到解决方法。
所以我有preg_replace_callback函数,用函数替换字符串中的特定标记。
示例:
$object = preg_replace_callback('~{FUNC\s+(.+?)}(.+?){/FUNC}~is', function($matches) use ($replace)
{
list($condition, $function, $content) = $matches;
return $function($content);
}, $object);
但是当我在另一个标签内使用子标签时,它会失败
示例:
{FUNC name_of_func}
text
text
text
{FUNC name_of_func2}text 2{/FUNC}
text
text
{/FUNC}
我知道它找到了第一个结束标记,这就是问题所在,但是正则表达式不好,如何解决这个问题,以便在可能的情况下使用多个子标记或子子标记?
答案 0 :(得分:0)
在这里,我们可能想要找到要替换的打开和关闭标签,并用preg_match_all
收集它,然后根据我们的模式,用preg_regplace
逐个替换它,类似到:
$re = '/{FUNC\s+(.+?)}|{\/FUNC}/mi';
$str = '{FUNC name_of_func}
text
text
text
{FUNC name_of_func2}text 2{/FUNC}
text
text
{/FUNC}';
preg_match_all($re, $str, $matches, PREG_SET_ORDER, 0);
foreach ($matches as $key => $match) {
if ($match[1] != null) {
$str = preg_replace('/({FUNC\s+)(.+?)(})/is', '$1Another new name that we wish$3', $str);
}
if (preg_match('/{[a-z]/is', $match[0])) {
$str = preg_replace($match[0], '{New_FUNC}', $str);
} elseif (preg_match('/{\//s', $match[0])) {
$str = preg_replace($match[0], '/New_CLOS_FUNC', $str);
} else {
continue;
}
}
var_dump($str);
{FUNC Another new name that we wish}
text
text
text
{FUNC Another new name that we wish}text 2{/New_CLOS_FUNC}
text
text
{/New_CLOS_FUNC}
jex.im可视化正则表达式:
答案 1 :(得分:0)
要使用preg_replace_callback
对最终嵌套的结构执行自定义替换,一种简单的方法包括先在while
循环中替换最里面的部分,直到没有要替换的部分为止。为此,您的图案必须禁止嵌套部件。
另外,与其使用list()
不必要地复制匹配数组,不如使用命名捕获:
$replace = [
'func1' => function ($var) { /*...*/ },
'func2' => function ($var) { /*...*/ },
//...
];
$pattern = '~{FUNC \s+ (?<funcName> \w+ )}
(?<content> [^{]*+ (?: { (?!/?FUNC\b) [^{]* )*+ )
{/FUNC}~xi';
do {
$object = preg_replace_callback($pattern, function($m) use ($replace) {
return $replace[$m['funcName']]($m['content']);
}, $object, -1, $count);
} while ($count);