13

PHP中是否有一个数组函数以某种方式执行array_merge,比较,忽略键?我认为这array_unique(array_merge($a, $b))行得通,但是我相信必须有更好的方法来做到这一点。

例如。

$a = array(0 => 0, 1 => 1, 2 => 2);
$b = array(0 => 2, 1 => 3, 2 => 4);

导致:

$ab = array(0 => 0, 1 => 1, 2 => 2, 3 => 3, 4 => 4);

请注意,我不关心 中的键$ab,但是如果它们从 0 开始上升到count($ab)-1.

4

5 回答 5

21

最优雅,最简单,最有效的解决方案是原始问题中提到的那个......

$ab = array_unique(array_merge($a, $b));

这个答案之前在 Ben Lee 和 doublejosh 的评论中也提到过,但我在这里发布它作为一个实际答案,以帮助那些发现这个问题并想知道什么是最佳解决方案而不阅读所有评论的人这一页。

于 2014-03-24T02:38:02.577 回答
2
function umerge($arrays){
 $result = array();
 foreach($arrays as $array){
  $array = (array) $array;
  foreach($array as $value){
   if(array_search($value,$result)===false)$result[]=$value;
  }
 }
 return $result;
}
于 2011-01-11T17:59:06.463 回答
1

要回答所提出的问题,对于在保留键的同时也适用于关联数组的通用解决方案,我相信您会发现此解决方案最令人满意:

/**
 * array_merge_unique - return an array of unique values,
 * composed of merging one or more argument array(s).
 *
 * As with array_merge, later keys overwrite earlier keys.
 * Unlike array_merge, however, this rule applies equally to
 * numeric keys, but does not necessarily preserve the original
 * numeric keys.
 */
function array_merge_unique(array $array1 /* [, array $...] */) {
  $result = array_flip(array_flip($array1));
  foreach (array_slice(func_get_args(),1) as $arg) { 
    $result = 
      array_flip(
        array_flip(
          array_merge($result,$arg)));
  } 
  return $result;
}
于 2012-02-10T02:09:49.577 回答
-1

array_merge 将忽略数字键,因此在您的示例array_merge($a, $b)中会给您$ab,无需调用array_unique().

如果您有字符串键(即关联数组),array_values()请先使用:

array_merge(array_values($a), array_values($b));
于 2011-01-11T17:52:16.507 回答
-1
$a = array(0 => 0, 1 => 1, 2 => 2);
$b = array(0 => 2, 1 => 3, 2 => 4);

//add any from b to a that do not exist in a
foreach($b as $item){


    if(!in_array($item,$b)){
        $a[] = $item
    }

}

//sort the array
sort($a);
于 2011-01-11T17:53:15.747 回答