PHP Conference Japan 2024

ArrayObject::exchangeArray

(PHP 5 >= 5.1.0, PHP 7, PHP 8)

ArrayObject::exchangeArray将数组替换为另一个数组

描述

public ArrayObject::exchangeArray(数组|对象 $array): 数组

将当前的数组与另一个数组对象交换。

参数

数组

要与当前数组交换的新数组对象

返回值

返回旧的数组

示例

示例 #1 ArrayObject::exchangeArray() 示例

<?php
// 可用水果数组
$fruits = array("lemons" => 1, "oranges" => 4, "bananas" => 5, "apples" => 10);
// 欧洲地点数组
$locations = array('Amsterdam', 'Paris', 'London');

$fruitsArrayObject = new ArrayObject($fruits);

// 现在将水果替换为地点
$old = $fruitsArrayObject->exchangeArray($locations);
var_dump($old);
var_dump($fruitsArrayObject);

?>

以上示例将输出

array(4) {
  ["lemons"]=>
  int(1)
  ["oranges"]=>
  int(4)
  ["bananas"]=>
  int(5)
  ["apples"]=>
  int(10)
}
object(ArrayObject)#1 (1) {
  ["storage":"ArrayObject":private]=>
  array(3) {
    [0]=>
    string(9) "Amsterdam"
    [1]=>
    string(5) "Paris"
    [2]=>
    string(6) "London"
  }
}

添加注释

用户贡献的注释 1 个注释

Corentin Larose
10 年前
值得注意的是,ArrayObject::exchangeArray() 不会为参数中提供的数组/对象的每个偏移量/属性在内部调用 ArrayObject::offsetSet()。

还值得注意的是,例如 get/set 的“意外”行为

<?php
class MyArrayObject extends ArrayObject
{
public function
offsetSet($name, $value)
{
parent::offsetSet($name . '_control', $value);
parent::offsetSet($name, $value);
}
}

$test = new MyArrayObject();
$test->setFlags(\ArrayObject::ARRAY_AS_PROPS);
$test['my_value_1'] = 1;
$test['my_value_1'] = $test['my_value_1'] + 1;
$test['my_value_1'] += 1;
$test['my_value_1'] ++;
++
$test['my_value_1'];

$test->my_value_2 = 1;
$test->my_value_2 = $test->my_value_2 + 1;
$test->my_value_2 += 1;
$test->my_value_2 ++;
++
$test->my_value_2;

print_r($test);

// 输出:
MyArrayObject Object
(
[
storage:ArrayObject:private] => Array
(
[
my_value_1_control] => 3
[my_value_1] => 5
[my_value_2_control] => 2
[my_value_2] => 5
)
)
?>
To Top