+ PHP 中数组的运算符?
$test = array('hi');
$test += array('test','oh');
var_dump($test);
对于 PHP 中的数组意味着什么?+
$test = array('hi');
$test += array('test','oh');
var_dump($test);
对于 PHP 中的数组意味着什么?+
引用自 PHP 语言运算符手册
+ 运算符返回附加到左侧数组的右侧数组;对于两个数组中都存在的键,将使用左侧数组中的元素,并且将忽略右侧数组中的匹配元素。
所以如果你这样做
$array1 = ['one', 'two', 'foo' => 'bar'];
$array2 = ['three', 'four', 'five', 'foo' => 'baz'];
print_r($array1 + $array2);
你会得到
Array
(
[0] => one // preserved from $array1 (left-hand array)
[1] => two // preserved from $array1 (left-hand array)
[foo] => bar // preserved from $array1 (left-hand array)
[2] => five // added from $array2 (right-hand array)
)
所以的逻辑等效于以下代码段:+
$union = $array1;
foreach ($array2 as $key => $value) {
if (false === array_key_exists($key, $union)) {
$union[$key] = $value;
}
}
如果您对C级实现的细节感兴趣,请前往
请注意,这与array_merge()
组合数组的方式不同:+
print_r(array_merge($array1, $array2));
会给你
Array
(
[0] => one // preserved from $array1
[1] => two // preserved from $array1
[foo] => baz // overwritten from $array2
[2] => three // appended from $array2
[3] => four // appended from $array2
[4] => five // appended from $array2
)
有关更多示例,请参阅链接页面。
我发现使用它的最好例子是在配置数组中。
$user_vars = array("username"=>"John Doe");
$default_vars = array("username"=>"Unknown", "email"=>"no-reply@domain.com");
$config = $user_vars + $default_vars;
所建议的 是默认值的数组。该数组将覆盖 中定义的值。中任何缺少的值现在都是 中的缺省值 vars。$default_vars
$user_vars
$default_vars
$user_vars
$default_vars
这将作为:print_r
Array(2){
"username" => "John Doe",
"email" => "no-reply@domain.com"
}
我希望这有帮助!