Answers:
$var_a = $var_b = $same_var = $var_d = $some_var = 'A';
$var_a = $var_b = ... = new Class();
,所有变量都将引用的相同实例Class
。
添加到其他答案。
$a = $b = $c = $d
实际上意味着 $a = ( $b = ( $c = $d ) )
PHP 默认int, string, etc.
通过值传递基本类型,并通过引用传递对象。
那意味着
$c = 1234;
$a = $b = $c;
$c = 5678;
//$a and $b = 1234; $c = 5678;
$c = new Object();
$c->property = 1234;
$a = $b = $c;
$c->property = 5678;
// $a,b,c->property = 5678 because they are all referenced to same variable
但是,您也可以使用关键字通过值传递对象clone
,但必须使用括号。
$c = new Object();
$c->property = 1234;
$a = clone ($b = clone $c);
$c->property = 5678;
// $a,b->property = 1234; c->property = 5678 because they are cloned
但是,您不能使用此方法通过带有关键字的引用来传递基本类型&
$c = 1234;
$a = $b = &$c; // no syntax error
// $a is passed by value. $b is passed by reference of $c
$a = &$b = &$c; // syntax error
$a = &($b = &$c); // $b = &$c is okay.
// but $a = &(...) is error because you can not pass by reference on value (you need variable)
// You will have to do manually
$b = &$c;
$a = &$b;
etc.