我有一个字符串,它是这样的
{{ 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: ### }}
我猜的例子是直线前进够了,我不知道我能更好地解释我想用文字达到的目标。
我尝试了几种不同的方法,但没有奏效。
这可以用正则表达式回调到一个简单的字符串替换来实现:
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
你可以用正则表达式2做到这一点。 第一个选择之间的所有文本{{
和}}
和第二替换@
与###
。 使用正则表达式2可以这样做:
$str = preg_replace_callback('/first regex/', function($match) {
return preg_replace('/second regex/', '###', $match[1]);
});
现在,你可以在第一和第二正则表达式,尝试自己,如果你不明白这一点,要求它在这个问题上。
另一种方法将是使用正则表达式(\{\{[^}]+?)@([^}]+?\}\})
。 你需要在它运行几次来匹配多个@
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;
其输出:
{{一些文本###其它文本###和其他一些文字}} //这不应该被替换{{但这应该:###}}