เพื่อเพิ่มคำตอบอื่น ๆ
$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.