我有一个基本树的对象。我需要对它进行深度复制,并发现自己实现了__clone方法。成功的代码是:
function __clone() {
$object = new CustomXML($this->rootElement);
foreach ($this->elements as $key => $element) {
$this->elements[$key] = clone $this->elements[$key];
$object->elements[$key] = $this->elements[$key];
}
$object->attributes = $this->attributes;
$object->value = $this->value;
$object->allowHTML = $this->allowHTML;
$object->endTag = $this->endTag;
$object->styles = $this->styles;
$object->childID = $this->childID;
return $object;
}
我的问题是......为什么我必须使用
$this->elements[$key] = clone $this->elements[$key];
$object->elements[$key] = $this->elements[$key];
为什么我不能只使用
$object->elements[$key] = clone $this->elements[$key];
使用第二个仍然留下对孩子的引用。为什么是这样? $ this->元素中的值属于同一类。
答案 0 :(得分:2)
__clone()
。 See the documentation
PHP将浅层复制所有属性并创建一个新对象而不调用其构造函数(类似于序列化和反序列化)。然后PHP在 new 对象上调用__clone()
,以便您可以根据您的想法修改它。因为它修改对象,所以它不应该返回任何内容。
您的代码(如果您总是需要深层副本)应如下所示:
function __clone() {
foreach ($this->children as $key => $child) {
$this->children[$key] = clone $this->children[$key];
}
}
但是我强烈建议您不要这样做!而不是依赖clone
关键字,添加方法以显式返回克隆对象(例如,DOMNode::cloneNode()
。例如,这将允许您控制您的副本是浅还是深。如果您只是使用clone
你无法控制这一点。
以下是一个例子:
interface DeepCopyable
{
/**
* Return a copy of the current object
*
* @param $deep bool If TRUE, return a deep copy
* @return object
*/
public function copy($deep=false);
}
class TreeNode implements DeepCopyable
{
private $I_AM_A_CLONE = false;
protected $children = array();
function __clone() {
$this->I_AM_A_CLONE = true;
}
public function addChild(Copyable $child) {
$this->children[] = $child;
}
public function copy($deep=false) {
$copy = clone $this;
if ($deep) {
foreach ($this->children as $n => $child) {
$copy->children[$n] = $child->copy($deep);
}
}
return $copy;
}
}
$a = new TreeNode();
$a->addChild(new TreeNode());
var_dump($a);
var_dump($a->copy());
var_dump($a->copy(true));
此示例还说明了__clone()
的正确使用情况。当克隆对象的私有或受保护属性不应与原始相同时,您需要添加克隆魔术方法。例如,如果对象上的id
属性应该是唯一的,则可能需要确保克隆不具有相同的ID,并且您永远不需要调用代码来控制它。或者是“脏”的旗帜,或者其他什么。
答案 1 :(得分:1)
经过长时间的审查,我创建了一个测试场景,并意识到我根本不了解克隆方法。
考虑这个示例代码:
<?php
class A {
function __construct($value = "1") {
$this->value = $value;
$this->children = array();
}
function addChild() {
$this->children[] = new A(count($this->children));
}
function __clone() {
foreach ($this->children as $key => $child) {
$this->children[$key] = clone $this->children[$key];
//$object->children[$key] = clone $this->children[$key];
}
}
}
$a = new A();
$a->addChild();
$b = clone $a;
var_dump($b);
$b->value = "test";
$b->children[0]->value = "test2";
var_dump($a);
var_dump($b);
克隆方法在$b
上调用,而不是在$ a上调用。基本上,调用$this->children[$key] = clone $this->children[$key];
打破了引用。在这里返回一个值毫无意义。总之,我的代码应该是这样的:
foreach ($this->elements as $key => $element) {
$this->elements[$key] = clone $this->elements[$key];
}
你可能会说调用$b = clone $a;
等同于:
$b = $a;
$b->__clone();