6

可能重复:
什么是 php 中的对象克隆?

我正在研究一个经常使用“克隆”关键字的现有框架,不确定这样做是否是个好主意?我真的不明白需要使用“克隆”关键字。

例如看看这个编码

IE

  public function getStartDate ()
  {
    return clone $this->startDate;
  }

对我来说,这个功能应该如下所示,我看不到克隆的需要。

  public function getStartDate ()
  {
    return $this->startDate;
  }
4

3 回答 3

8

使用克隆的原因是 PHP 在处理对象时总是返回对象作为引用,而不是作为副本。

这就是为什么在将对象传递给函数时不需要用 & (引用)指定它:

function doSomethingWithObject(MyObject $object) { // it is same as MyObject &object
   ...
}

因此,为了获得对象副本,您必须使用 clone 关键字这是一个关于 php 如何处理对象以及 clone 做什么的示例:

class Obj {
    public $obj;
    public function __construct() {
        $this->obj = new stdClass();
        $this->obj->prop = 1; // set a public property
    }
    function getObj(){
        return $this->obj; // it returns a reference
    }
}

$obj = new Obj();

$a = $obj->obj; // get as public property (it is reference)
$b = $obj->getObj(); // get as return of method (it is also a reference)
$b->prop = 7;
var_dump($a === $b); // (boolean) true
var_dump($a->prop, $b->prop, $obj->obj->prop); // int(7), int(7), int(7)
// changing $b->prop didn't actually change other two object, since both $a and $b are just references to $obj->obj

$c = clone $a;
$c->prop = -3;
var_dump($a === $c); // (boolean) false
var_dump($a->prop, $c->prop, $obj->obj->prop); // int(7), int(-3), int(7)
// since $c is completely new copy of object $obj->obj and not a reference to it, changing prop value in $c does not affect $a, $b nor $obj->obj!
于 2012-08-30T11:12:24.397 回答
4

也许startDate是一个对象。

然后。当您返回时clone $this->startDate- 您将获得该对象的完整副本。您可以使用它、更改值、调用函数。而且,在它们影响数据库或文件系统之前 - 它是安全的,并且startDate不会修改实际对象。

但是,如果您只是按原样返回对象 - 您只返回一个引用。以及您对对象执行的任何操作 - 您对原始对象执行此操作。你所做的任何改变都会影响到这一点startDate

这仅适用于对象,不会影响数组、字符串和数字,因为它们是值类型变量。

您应该阅读有关值类型变量和引用类型变量的更多信息。

于 2012-08-30T11:02:47.470 回答
1

尽管它在另一个问题中得到了完美的解释(感谢您指出这个@gerald)

只是一个快速的答案:

如果没有克隆,该函数将返回对 startDate 对象的引用。随着克隆它返回一个副本。

如果返回的对象稍后会更改,它只会更改副本而不更改原始对象,原始对象也可能会在其他地方使用。

于 2012-08-30T11:02:19.220 回答