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

2022-08-30 12:35:47

有据可查的是,PHP5 OOP 对象默认通过引用传递。如果这是默认的,在我看来,有一种没有默认的复制方式,没有参考,怎么样??

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


答案 1
<?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)

答案 2

要创建对象的副本,您需要使用对象克隆

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

$x = clone $obj;

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


推荐