10

我有一个这样的字符串

{{ 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: ### }}

我想这个例子足够直截了当,我不确定我能否更好地用文字解释我想要实现的目标。

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

4

3 回答 3

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

于 2012-05-09T21:22:53.740 回答
2

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

<?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 不应该被替换 {{ but this should: ### }}

于 2012-05-09T21:49:40.037 回答
2

您可以使用 2 个正则表达式来完成。第一个选择 和 之间的所有文本{{}}第二个替换@###。可以像这样使用 2 个正则表达式:

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

现在您可以制作第一个和第二个正则表达式,自己尝试一下,如果您不明白,请在这个问题中提问。

于 2012-05-09T20:58:47.017 回答