我通过循环创建了一堆基本类的实例。 每次迭代,我都会将实例添加(通过引用,而不是复制)到数组中。
为什么在循环之后,数组中的每个引用都是创建的最后一个实例?
执行取消设置似乎可以解决问题,但是我不相信这是理想的,并且可能会从内存中取消设置底层实例。
<?php
//foobars remembers something
class FOOBAR{
public $val;
public function __construct(&$input){
$this->val = $input;
}
};
//after creating foobars, pass them to a list
$list1 = [];
for($i=1; $i<=5; $i++){
//create an instance of foobar
$random = rand(1, 10);
$instance = new FOOBAR($random);
$list1[] = &$instance;
// Using unset (below) fixes it?
//unset($instance);
}
//show what our foobars remembered
var_dump(json_encode($list1));
?>
答案 0 :(得分:4)
这是你的问题:
$list1[] = &$instance;
数组中的项包含对$instance
变量的引用。一旦你改变了那个变量 - 在你的情况下在循环的下一次迭代中 - 数组中的项引用了新创建的项。
因此,在循环之后,数组中的所有条目都引用您创建的最后一个对象。
你需要:
$list1[] = $instance;