web-dev-qa-db-fra.com

Comment faire une copie d'un objet sans référence?

Il est bien documenté que php5 OOP - objets sont passés par référence Par défaut. Si cela est par défaut, il me semble qu'il y a un moyen sans défaut de copier sans référence, comment ??

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"
// }

À ce stade, j'aimerais $x être l'original $obj, mais bien sûr que ce n'est pas le cas. Y a-t-il un moyen simple de faire cela ou dois-je faire coder quelque chose comme ça

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

Donc, il devrait lire comme ceci:

<?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)
49
Treffynnon