PHP - preg_replace_callback 因子标签而失败

PHP - preg_replace_callback fails with sub-tags

首先如果有现成的帖子我想道歉,我搜索了很多,但没有找到解决方案。

所以我有 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}

我知道它找到了第一个结束标签,这就是问题所在,但我对正则表达式不好,如何解决这个问题以便我可以使用多个子标签或子标签(如果可能的话)?

在这里,我们可能想找到我们想要替换的打开和关闭标签,用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', 'Another new name that we wish', $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}

Demo

正则表达式电路

jex.im 可视化正则表达式:

要使用 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);