我需要以某种不同的方式合并一些数组,并使用array_merge_recursive。 然而,我需要改变一些东西,我不知道如何改变。 这是来自php.net的引用
但是,如果数组具有相同的数字键,则后面的值 不会覆盖原始值,但会被追加。
我想要这个值,不要追加,我不想在新数组中追加确切的值。希望你能理解这一点。
示例:
$array = array(
'some' => array(
'other' => 'key',
),
);
$array2 = array();
$array2['some']['other'] = 'key2';
如果我使用array_merge_recursive它将导致:
Array (
[some] => Array
(
[other] => Array
(
[0] => key
[1] => key2
)
) )
我想如果它匹配相同的结果,而不是追加它。我知道,你会说,然后使用array_merge,但它也不能正常工作。 如果我用这个:
$array = array(
'some' => array(
'other' => 'key',
),
);
$array2 = array();
$array2['some']['other2'] = 'key2';
print_r(array_merge($array, $array2));
它将从列表中删除$ array [some] [other]并仅留下$ array [some] [other2]。我不知道哪个更好,因为没有人做得更好。
答案 0 :(得分:5)
试试这个
<?php
function mymerge(&$a,$b){ //$a will be result. $a will be edited. It's to avoid a lot of copying in recursion
foreach($b as $child=>$value){
if(isset($a[$child])){
if(is_array($a[$child]) && is_array($value)){ //merge if they are both arrays
mymerge($a[$child],$value);
}
//else ignore, you can add your own logic, i.e when 1 of them is array
}
else
$a[$child]=$value; //add if not exists
}
//return $a;
}
答案 1 :(得分:2)
对于PHP&gt; = 5.3,只需使用array_replace_recursive
答案 2 :(得分:1)
我为它编写了合并类:
<?php
class ArrayMerge
{
/**
* @param array $a
* @param array $b
*
* @return array
*/
public function merge ( $a, $b ) {
foreach ( $b as $k => $v ) {
if ( is_array( $v ) ) {
if ( isset( $a[ $k ] ) ) {
if ( $this->isDeep( $v ) ) {
$a[ $k ] = $this->merge( $a[ $k ], $v );
} else {
$a[ $k ] = array_merge( $a[ $k ], $v );
}
} else {
$a[ $k ] = $v;
}
} else {
$a[ $k ] = $v;
}
}
return $a;
}
/**
* @param array $array
*
* @return bool
*/
private function isDeep ( $array ) {
foreach ( $array as $elm ) {
if ( is_array( $elm ) ) {
return TRUE;
}
}
return FALSE;
}
}
答案 3 :(得分:1)
我从RiaD的版本开始并添加了对象处理。需要测试和反馈
function recursiveMerge(&$a,$b){ //$a will be result. $a will be edited. It's to avoid a lot of copying in recursion
if(is_array($b) || is_object($b)){
foreach($b as $child=>$value){
if(is_array($a)){
if(isset($a[$child]))
recursiveMerge($a[$child],$value);
else
$a[$child]=$value;
}
elseif(is_object($a)){
if(isset($a->{$child}))
recursiveMerge($a->{$child},$value);
else
$a->{$child}=$value;
}
}
}
else
$a=$b;
}
答案 4 :(得分:1)
另一种选择,来自drupal的array_merge_deep
:
function array_merge_deep($arrays) {
$result = array();
foreach ($arrays as $array) {
foreach ($array as $key => $value) {
// Renumber integer keys as array_merge_recursive() does. Note that PHP
// automatically converts array keys that are integer strings (e.g., '1')
// to integers.
if (is_integer($key)) {
$result[] = $value;
}
// Recurse when both values are arrays.
elseif (isset($result[$key]) && is_array($result[$key]) && is_array($value)) {
$result[$key] = array_merge_deep(array($result[$key], $value));
}
// Otherwise, use the latter value, overriding any previous value.
else {
$result[$key] = $value;
}
}
}
return $result;
}