如何在没有引用的情况下制作对象的副本?

时间:2010-11-08 11:56:35

标签: php object pass-by-reference

默认情况下,PHP5 OOP objects are passed by reference已有详细记录。如果这是默认情况下,在我看来有一种无默认的方式来复制没有引用,如何?

function refObj($object){
    foreach($object as &$o){
        $o = 'this will change to ' . $o;
    }

    return $object;
}

$obj = new StdClass;
$obj->x = 'x';
$obj->y = 'y';

$x = $obj;

print_r($x)
// object(stdClass)#1 (3) {
//   ["x"]=> string(1) "x"
//   ["y"]=> string(1) "y"
// }

// $obj = refObj($obj); // no need to do this because
refObj($obj); // $obj is passed by reference

print_r($x)
// object(stdClass)#1 (3) {
//   ["x"]=> string(1) "this will change to x"
//   ["y"]=> string(1) "this will change to y"
// }

此时我希望$x成为原始$obj,但当然不是。有没有简单的方法可以做到这一点,或者我需要编写一些代码like this

2 个答案:

答案 0 :(得分:49)

<?php
$x = clone($obj);

所以它应该是这样的:

<?php
function refObj($object){
    foreach($object as &$o){
        $o = 'this will change to ' . $o;
    }

    return $object;
}

$obj = new StdClass;
$obj->x = 'x';
$obj->y = 'y';

$x = clone($obj);

print_r($x)

refObj($obj); // $obj is passed by reference

print_r($x)

答案 1 :(得分:22)

要制作对象的副本,您需要使用object cloning

要在您的示例中执行此操作,请执行以下操作:

$x = clone $obj;

请注意,对象可以使用clone定义自己的__clone()行为,这可能会给您带来意外行为,因此请记住这一点。