有没有办法合并这些数组:
// saved settings by the user
$arr1 = [
'options' => [
'first' => 1,
'second' => 2,
'third' => 3,
]
];
// new option schema (new keys added)
$arr2 = [
'options' => [
'first' => 1,
'second' => 212,
'fourth' => 4
]
];
并获得如下输出:
$arr3 = [
'options' => [
'first' => 1, // nothing do to, "first" key already exists
'second' => 2, // nothing to do, "second" key exists (user already saved "second" with value 2, so we omit value 212)
// "third" option got removed from new schema, no longer needed in the app, so may be removed from User settings as well
'fourth' => 4 // this key is new, so let's add it to the final result
]
];
基本上我尝试了array_merge
或array_merge_recursive
但是它们只合并了所有密钥而不是新密钥,因此它会覆盖用户设置。
当然,源数组更复杂,内部有许多多维数组。
有没有办法让它变得简单或者库可以处理它?</ p>
答案 0 :(得分:1)
可以使用递归函数完成。新结构(此示例中为$arr2
)定义结果中存在的键。如果旧结构在新结构中的相应键处具有值,则将使用它。如果不是,将使用新结构的值。因为您只查看新结构中存在的密钥,所以不再包含旧结构中不再存在的任何密钥。
function update($newKeys, $oldData) {
$result = [];
// iterate only new structure so obsolete keys won't be included
foreach ($newKeys as $key => $value) {
// use the old value for the new key if it exists
if (isset($oldData[$key])) {
if (is_array($oldData[$key]) && is_array($value)) {
// if the old and new values for the key are both arrays, recurse
$result[$key] = merge($value, $oldData[$key]);
} else {
// otherwise, just use the old value
$result[$key] = $oldData[$key];
}
// use the new value if the key doesn't exist in the old values
} else {
$result[$key] = $value;
}
}
return $result;
}
$result = update($arr2, $arr1);
我只会在完全关联的结构上使用它。如果任何内部数组都是基本索引数组,其中键不重要,那么您必须在函数中添加一些东西以防止它们搞乱。