替换模式内的所有实例

时间:2012-05-09 20:50:20

标签: php regex preg-replace pcre

我有一个像这样的字符串

{{ some text @ other text @ and some other text }} @ this should not be replaced {{ but this should: @ }}

我希望它成为

{{ some text ### other text ### and some other text }} @ this should not be replaced {{ but this should: ### }}

我想这个例子很直接,而且我不确定我能用语言更好地解释我想要实现的目标。

我尝试了几种不同的方法但没有效果。

3 个答案:

答案 0 :(得分:9)

这可以通过正则表达式回调一个简单的字符串替换来实现:

function replaceInsideBraces($match) {
    return str_replace('@', '###', $match[0]);
}

$input = '{{ some text @ other text @ and some other text }} @ this should not be replaced {{ but this should: @ }}';
$output = preg_replace_callback('/{{.+?}}/', 'replaceInsideBraces', $input);
var_dump($output);

我选择了一个简单的非贪婪的正则表达式来找到你的大括号,但你可以选择改变它以提高性能或满足你的需要。

匿名函数可让您参数化替换:

$find = '@';
$replace = '###';
$output = preg_replace_callback(
    '/{{.+?}}/',
    function($match) use ($find, $replace) {
        return str_replace($find, $replace, $match[0]);
    },
    $input
);

文档:http://php.net/manual/en/function.preg-replace-callback.php

答案 1 :(得分:2)

你可以使用2个正则表达式。第一个选择{{}}之间的所有文字,第二个用@替换###。使用2个正则表达式可以这样做:

$str = preg_replace_callback('/first regex/', function($match) {
    return preg_replace('/second regex/', '###', $match[1]);
});

现在你可以制作第一个和第二个正则表达式,尝试自己,如果你没有得到它,请在这个问题中提出。

答案 2 :(得分:2)

另一种方法是使用正则表达式(\{\{[^}]+?)@([^}]+?\}\})。您需要多次运行它以匹配@大括号{{内的多个}}

<?php

$string = '{{ some text @ other text @ and some other text }} @ this should not be replaced {{ but this should: @ }}';
$replacement = '#';
$pattern = '/(\{\{[^}]+?)@([^}]+?\}\})/';

while (preg_match($pattern, $string)) {
    $string = preg_replace($pattern, "$1$replacement$2", $string);
}

echo $string;

哪个输出:

  

{{some text ### other text ### and some other text}}} @ this should   不能被替换{{但这应该:###}}}