同时将两个单词替换为

时间:2016-05-16 20:52:13

标签: php strtr

我需要替换“我'用“你'”这个词和“你'和我一起'同时。当两个单词彼此不相邻时,它与strtr()一起使用,但是当它们相同时,它将替换第一个单词,然后忽略第二个单词。有什么方法可以解决这个问题吗?

<?php

$string = "tell me you want to get it right";
$string = trim(strtr(" ".trim($string)." ", array(
" me " => " you ",
" you " => " me "
)));

echo $string;

?>

实际结果:

告诉你你想要做对

需要结果:

告诉你我想要做对

PS:不要真正想要任何使用类似&#34的答案;用你的1234替换所有&#39;&#39;然后所有人都使用&#39; me1234&#39;,然后用“我&#39;”替换所有&#39; you1234,以及所有&#39; ; me1234&#39;你&#39;

3 个答案:

答案 0 :(得分:2)

这似乎有效,无论这些词是连续的还是分开的。

$str = "foo something bar";
echo preg_replace_callback(
    '/\b(foo|bar)\b/',
    function($match) { return $match[0] == 'foo' ? 'bar' : 'foo'; },
    $str
);

回调循环匹配。但是,替换似乎是在原始字符串上完成的,而不是在每次回调后更新的临时字符串(避免你的&#34;你是&#34;示例),所以它基本上是相同的。

答案 1 :(得分:2)

如何使用带数组的匿名函数?任何使用匿名函数的借口都让我高兴:)

$string = "tell me you want to get it right";
$string = implode(" ", array_map(function($word, $swap = ["me", "you"]) {
    return ($index = array_search($word, $swap)) === false
        ? $word : $swap[++$index % 2];
}, explode(" ", $string)));
var_dump($string);
/* string 'tell you me want to get it right' (length=32) */

或更复杂的替换

$string = "tell me you want to get it right";
$replacements = ["me" => "you", "you" => "me", "right" => "wrong"];
$string = implode(" ", array_map(function($word) use($replacements) {
    return isset($replacements[$word]) ? $replacements[$word] : $word;
}, explode(" ", $string)));
var_dump($string);
/* string 'tell you me want to get it wrong' (length=32) */

答案 2 :(得分:0)

这有点(在某种程度上,因为使用便宜的技巧)

  

将所有'你的'替换为'you1234',然后将所有'我的'替换为'me1234'

回答......但是,它应该有效。它是函数,字符串和替换(关联)数组是参数。它应该同时适用于多个替换。字符串的位置无关紧要。

function replace_sim($str, $replace) {

  $arr = str_word_count($str, 1);
  $keys = array();
  $real_val = array();
  for ($i = 0; $i < count($arr); $i++) {

    foreach($replace as $key => $value) {
      if ($arr[$i] == $key) {
        $arr[$i] = strrev($value);

        $keys[] = $i;
        $real_val[] = $value;
      }
    }

  }
  $i = -1;
  foreach($keys as $key) {
    $i++;
    $arr[$key] = $real_val[$i];
  }

  $str = join(' ', $arr);
  return $str;
}

//usage
$string = "tell me you want to you get it right me you";
$replace=array('me'=>'you','you'=>'me','get'=>'it','it'=>'get');
echo replace_sim($string,$replace);

echo '<br>';

$string = "tell me i want you";
$replace=array('me'=>'you','you'=>'me');
echo replace_sim($string,$replace);