Is there ever a need to use ampersand in front of an object?

因为对象现在默认通过引用传递,那么当&$obj有意义时,是否有一些特殊情况?


Objects use a different reference mechanism. &$object is more a reference of a reference. You can't really compare them both. See Objects and references:

A PHP reference is an alias, which allows two different variables to write to the same value. As of PHP 5, an object variable doesn't contain the object itself as value anymore. It only contains an object identifier which allows object accessors to find the actual object. When an object is sent by argument, returned or assigned to another variable, the different variables are not aliases: they hold a copy of the identifier, which points to the same object.

&$object is something else than $object . I'll give you an example:

foreach ($objects as $object) {
    if ($cond) {
        $object = new Object(); // This won't affect $objects

    }
}

foreach ($objects as &$object) {
    if ($cond) {
        $object = new Object(); // This will affect $objects

    }
}

I won't answer the question if it makes sense, or if there is a need. These are opinion based questions. You can definitely live without the & reference on objects, as you could without objects at all. The existence of two mechanisms is a consequence of PHP's backward compatibility.


There are situations where you add & in front of function name, to return any value as a reference.

To call those function we need to add & in front of object.

If we add & in front of object, then it will return value as reference otherwise it will only return a copy of that variable.

class Fruit() {

    protected $intOrderNum = 10;

    public function &getOrderNum() {
        return $this->intOrderNum;
    }
}

class Fruitbox() {

   public function TestFruit() {
      $objFruit = new Fruit();
      echo "Check fruit order num : " . $objFruit->getOrderNum(); // 10

      $intOrderNumber = $objFruit->getOrderNum();
      $intOrderNumber++;
      echo "Check fruit order num : " . $objFruit->getOrderNum(); // 10

      $intOrderNumber = &$objFruit->getOrderNum();
      $intOrderNumber++;
      echo "Check fruit order num : " . $objFruit->getOrderNum(); // 11
   }    
}
链接地址: http://www.djcxy.com/p/1708.html

上一篇: PHP中的引用赋值运算符,=&

下一篇: 有没有必要在对象前面使用&符号?