理解 PHP 中的对象赋值:值与引用
说到 PHP 中的对象赋值,理解值和引用之间的区别行为至关重要。 PHP 可以通过值或引用来分配对象。
原始代码片段
考虑以下 PHP 代码:
<code class="php">class Foo { var $value; function foo($value) { $this->setValue($value); } function setValue($value) { $this->value = $value; } } class Bar { var $foos = array(); function Bar() { for ($x = 1; $x <= 10; $x++) { $this->foos[$x] = new Foo("Foo # $x"); } } function getFoo($index) { return $this->foos[$index]; } function test() { $testFoo = $this->getFoo(5); $testFoo->setValue("My value has now changed"); } }</code>
问题:赋值行为
当执行Bar::test()方法并更改foo对象数组中foo#5的值时,数组中实际的foo#5是否会受到影响,或者 $testFoo 变量只是一个局部变量,在函数结束时不再存在?
答案:通过引用赋值
来确定行为,让我们分析给定的代码:
<code class="php">$b = new Bar; echo $b->getFoo(5)->value; $b->test(); echo $b->getFoo(5)->value;</code>
执行此代码会产生以下输出:
Foo #5 My value has now changed
说明
PHP 通过以下方式分配对象在版本 5 中默认引用。这意味着当 getFoo() 返回 foo # 5 对象时,对同一对象的引用将存储在 $testFoo 变量中。
因此,当 setValue()在 $testFoo 上调用方法,数组中实际的 foo #5 对象被修改,而不仅仅是本地副本。这就是为什么 foo # 5 的值即使在 Bar::test() 方法执行后也会发生变化的原因。
按值赋值的注意事项
如果需要,您可以使用克隆关键字按值而不是按引用分配对象:
<code class="php">$testFoo = clone $this->getFoo(5); $testFoo->setValue("My value has now changed");</code>
以上是赋值行为如何影响 PHP 中的对象:值与引用?的详细内容。更多信息请关注PHP中文网其他相关文章!