我正在努力实现以下目标:
$subject = 'a b a';
$search = 'a';
$replace = '1';
期望的结果:
Array
(
[0] => 1 b a
[1] => a b 1
)
有没有办法用preg_replace来实现这个目标?
preg_replace('/\b'.$search.'(?=\s+|$)/u', $replace, array($subject));
将返回相同结果中的所有替换:
Array
(
[0] => 1 b 1
)
干杯
答案 0 :(得分:1)
我认为这是不可能的。您可以在可选的第四个参数中指定替换限制,但始终从头开始。
使用preg_split()
可以实现您的目标。您只需要在搜索模式的所有场合分割字符串,然后逐个搞乱它们。如果您的搜索模式只是一个简单的字符串,那么您可以使用explode()
实现相同的搜索模式。如果您需要帮助来确定这种方法,我将很乐意提供帮助。
编辑:让我们看看这是否适合您:
$subject = 'a b a';
$pattern = '/a/';
$replace = 1;
// We split the string up on all of its matches and obtain the matches, too
$parts = preg_split($pattern, $subject);
preg_match_all($pattern, $subject, $matches);
$numParts = count($parts);
$results = array();
for ($i = 1; $i < $numParts; $i++)
{
// We're modifying a copy of the parts every time
$partsCopy = $parts;
// First, replace one of the matches
$partsCopy[$i] = $replace.$partsCopy[$i];
// Prepend the matching string to those parts that are not supposed to be replaced yet
foreach ($partsCopy as $index => &$value)
{
if ($index != $i && $index != 0)
$value = $matches[0][$index - 1].$value;
}
// Bring it all back together now
$results[] = implode('', $partsCopy);
}
print_r($results);
注意:尚未测试。请报告它是否有效。
编辑2 :
我现在用你的例子对它进行了测试,修复了一些问题并且现在有效(至少在那个例子中)。
答案 1 :(得分:1)
function multipleReplace($search,$subject,$replace) {
preg_match_all($search, $subject,$matches,PREG_OFFSET_CAPTURE);
foreach($matches as $match) {
if (is_array($match)) {
foreach ($match as $submatch) {
list($string,$start) = $submatch;
$length = strlen($string);
$val = "";
if ($start - 1 > 0) {
$val .= substr($subject,0,$start);
}
$val .= preg_replace($search,$string,$replace);
$val .= substr($subject,$start + $length);
$ret[] = $val;
}
}
}
return $ret;
}
$search = 'a';
print_r(multipleReplace('/\b'.$search.'(?=\s+|$)/u','a b a','1'));
输出
Array
(
[0] => 1 b a
[1] => a b 1
)