web-dev-qa-db-ja.com

2つのPHPオブジェクトをマージする最良の方法は何ですか?

2つのPHP5オブジェクトがあり、1つのコンテンツを2つ目にマージしたいと考えています。それらの間にサブクラスの概念はないため、次のトピックで説明するソリューションは適用できません。

PHPオブジェクトを別のオブジェクトタイプにコピーする方法

//We have this:
$objectA->a;
$objectA->b;
$objectB->c;
$objectB->d;

//We want the easiest way to get:
$objectC->a;
$objectC->b;
$objectC->c;
$objectC->d;

備考:

  • これらはクラスではなくオブジェクトです。
  • オブジェクトには非常に多くのフィールドが含まれているため、foreachは非常に遅くなります。
  • これまでのところ、オブジェクトAとBを配列に変換し、オブジェクトに再変換する前にarray_merge()を使用してそれらをマージすることを検討しますが、これなら誇りに思う.
208
Veynom

オブジェクトにフィールドのみが含まれる場合(メソッドは含まれない)、これは機能します。

$obj_merged = (object) array_merge((array) $obj1, (array) $obj2);

これは、オブジェクトにメソッドがある場合にも実際に機能します。 (PHP 5.3および5.6でテスト済み)

402
flochtililoch

オブジェクトにフィールドのみが含まれる場合(メソッドは含まれない)、これは機能します。

$obj_merged = (object) array_merge((array) $obj1, (array) $obj2);
49
TheJay

基になるオブジェクトにマジックメソッドの呼び出しをディスパッチする別のオブジェクトを作成できます。 __getの処理方法は次のとおりですが、完全に機能させるには、関連するすべてのマジックメソッドをオーバーライドする必要があります。たぶん私は頭のてっぺんから入力したので、おそらく構文エラーを見つけるでしょう。

class Compositor {
  private $obj_a;
  private $obj_b;

  public function __construct($obj_a, $obj_b) {
    $this->obj_a = $obj_a;
    $this->obj_b = $obj_b;
  }

  public function __get($attrib_name) {
    if ($this->obj_a->$attrib_name) {
       return $this->obj_a->$attrib_name;
    } else {
       return $this->obj_b->$attrib_name;
    }
  }
}

がんばろう。

27
Allain Lalonde
foreach($objectA as $k => $v) $objectB->$k = $v;
23
Kornel

ジェネリックオブジェクト[stdClass()]を使用し、それらを配列としてキャストすることで問題が解決することは理解していますが、Compositorはすばらしい答えだと思いました。それでも、私はそれがいくつかの機能強化を使用でき、他の誰かに役立つかもしれないと感じました。

特徴:

  • 参照またはクローンを指定する
  • 優先する最初または最後のエントリを指定します
  • Array_mergeと構文が類似している複数(3つ以上)のオブジェクトのマージ
  • メソッドのリンク:$ obj-> f1()-> f2()-> f3()...
  • 動的複合:$ obj-> merge(...)/ *ここで作業*/$ obj-> merge(...)

コード:

class Compositor {

    protected $composite = array();
    protected $use_reference;
    protected $first_precedence;

    /**
     * __construct, Constructor
     *
     * Used to set options.
     *
     * @param bool $use_reference whether to use a reference (TRUE) or to copy the object (FALSE) [default]
     * @param bool $first_precedence whether the first entry takes precedence (TRUE) or last entry takes precedence (FALSE) [default]
     */
    public function __construct($use_reference = FALSE, $first_precedence = FALSE) {
        // Use a reference
        $this->use_reference = $use_reference === TRUE ? TRUE : FALSE;
        $this->first_precedence = $first_precedence === TRUE ? TRUE : FALSE;

    }

    /**
     * Merge, used to merge multiple objects stored in an array
     *
     * This is used to *start* the merge or to merge an array of objects.
     * It is not needed to start the merge, but visually is Nice.
     *
     * @param object[]|object $objects array of objects to merge or a single object
     * @return object the instance to enable linking
     */

    public function & merge() {
        $objects = func_get_args();
        // Each object
        foreach($objects as &$object) $this->with($object);
        // Garbage collection
        unset($object);

        // Return $this instance
        return $this;
    }

    /**
     * With, used to merge a singluar object
     *
     * Used to add an object to the composition
     *
     * @param object $object an object to merge
     * @return object the instance to enable linking
     */
    public function & with(&$object) {
        // An object
        if(is_object($object)) {
            // Reference
            if($this->use_reference) {
                if($this->first_precedence) array_Push($this->composite, $object);
                else array_unshift($this->composite, $object);
            }
            // Clone
            else {
                if($this->first_precedence) array_Push($this->composite, clone $object);
                else array_unshift($this->composite, clone $object);
            }
        }

        // Return $this instance
        return $this;
    }

    /**
     * __get, retrieves the psudo merged object
     *
     * @param string $name name of the variable in the object
     * @return mixed returns a reference to the requested variable
     *
     */
    public function & __get($name) {
        $return = NULL;
        foreach($this->composite as &$object) {
            if(isset($object->$name)) {
                $return =& $object->$name;
                break;
            }
        }
        // Garbage collection
        unset($object);

        return $return;
    }
}

使用法:

$obj = new Compositor(use_reference, first_precedence);
$obj->merge([object $object [, object $object [, object $...]]]);
$obj->with([object $object]);

例:

$obj1 = new stdClass();
$obj1->a = 'obj1:a';
$obj1->b = 'obj1:b';
$obj1->c = 'obj1:c';

$obj2 = new stdClass();
$obj2->a = 'obj2:a';
$obj2->b = 'obj2:b';
$obj2->d = 'obj2:d';

$obj3 = new Compositor();
$obj3->merge($obj1, $obj2);
$obj1->c = '#obj1:c';
var_dump($obj3->a, $obj3->b, $obj3->c, $obj3->d);
// obj2:a, obj2:b, obj1:c, obj2:d
$obj1->c;

$obj3 = new Compositor(TRUE);
$obj3->merge($obj1)->with($obj2);
$obj1->c = '#obj1:c';
var_dump($obj3->a, $obj3->b, $obj3->c, $obj3->d);
// obj1:a, obj1:b, obj1:c, obj2:d
$obj1->c = 'obj1:c';

$obj3 = new Compositor(FALSE, TRUE);
$obj3->with($obj1)->with($obj2);
$obj1->c = '#obj1:c';
var_dump($obj3->a, $obj3->b, $obj3->c, $obj3->d);
// obj1:a, obj1:b, #obj1:c, obj2:d
$obj1->c = 'obj1:c';
10
Ryan Schumacher

オブジェクトAとBがあることを考慮した非常に簡単なソリューション:

foreach($objB AS $var=>$value){
    $objA->$var = $value;
}

それで全部です。これで、objBのすべての値を持つobjAができました。

6

解決策マージされたオンジェクトのメソッドとプロパティの両方を保持するには、次のことができるコンビネータクラスを作成します。

  • __constructで任意の数のオブジェクトを取得します
  • __callを使用して任意のメソッドにアクセスします
  • __getを使用して任意のプロパティにアクセスします

class combinator{
function __construct(){       
    $this->melt =  array_reverse(func_get_args());
      // array_reverse is to replicate natural overide
}
public function __call($method,$args){
    forEach($this->melt as $o){
        if(method_exists($o, $method)){
            return call_user_func_array([$o,$method], $args);
            //return $o->$method($args);
            }
        }
    }
public function __get($prop){
        foreach($this->melt as $o){
          if(isset($o->$prop))return $o->$prop;
        }
        return 'undefined';
    } 
}

簡単な使用

class c1{
    public $pc1='pc1';
    function mc1($a,$b){echo __METHOD__." ".($a+$b);}
}
class c2{
    public $pc2='pc2';
    function mc2(){echo __CLASS__." ".__METHOD__;}
}

$comb=new combinator(new c1, new c2);

$comb->mc1(1,2);
$comb->non_existing_method();  //  silent
echo $comb->pc2;
2
bortunac

任意の数の未加工オブジェクトをマージするには

function merge_obj(){
    foreach(func_get_args() as $a){
        $objects[]=(array)$a;
    }
    return (object)call_user_func_array('array_merge', $objects);
}
1
bortunac

\ArrayObjectクラスには、exchange元の配列を切断する現在の配列referenceの可能性があります。そのために、2つの便利なメソッドexchangeArray()getArrayCopy()が付属しています。残りは、ArrayObjectsパブリックプロパティを持つ提供されたオブジェクトの単純なarray_merge()です。

class MergeBase extends ArrayObject
{
     public final function merge( Array $toMerge )
     {
          $this->exchangeArray( array_merge( $this->getArrayCopy(), $toMerge ) );
     }
 }

使い方はこれと同じくらい簡単です:

 $base = new MergeBase();

 $base[] = 1;
 $base[] = 2;

 $toMerge = [ 3,4,5, ];

 $base->merge( $toMerge );
1
Corelmax

2番目のオブジェクトを最初のオブジェクトのプロパティにリンクします。 2番目のオブジェクトが関数またはメソッドの結果である場合、参照を使用します。例:

//Not the result of a method
$obj1->extra = new Class2();

//The result of a method, for instance a factory class
$obj1->extra =& Factory::getInstance('Class2');
1
Adrian

オブジェクトまたは配列をフラット化する関数を次に示します。これは、キーが一意であることが確実な場合にのみ使用してください。同じ名前のキーがある場合、それらは上書きされます。これをクラスに配置し、「関数」をクラスの名前に置き換える必要があります。楽しい...

function flatten($array, $preserve_keys=1, &$out = array(), $isobject=0) {
        # Flatten a multidimensional array to one dimension, optionally preserving keys.
        #
        # $array - the array to flatten
        # $preserve_keys - 0 (default) to not preserve keys, 1 to preserve string keys only, 2 to preserve all keys
        # $out - internal use argument for recursion
        # $isobject - is internally set in order to remember if we're using an object or array
        if(is_array($array) || $isobject==1)
        foreach($array as $key => $child)
            if(is_array($child))
                $out = Functions::flatten($child, $preserve_keys, $out, 1); // replace "Functions" with the name of your class
            elseif($preserve_keys + is_string($key) > 1)
                $out[$key] = $child;
            else
                $out[] = $child;

        if(is_object($array) || $isobject==2)
        if(!is_object($out)){$out = new stdClass();}
        foreach($array as $key => $child)
            if(is_object($child))
                $out = Functions::flatten($child, $preserve_keys, $out, 2); // replace "Functions" with the name of your class
            elseif($preserve_keys + is_string($key) > 1)
                $out->$key = $child;
            else
                $out = $child;

        return $out;
}
0
jonathaneyoung

シンプルにしましょう!

function copy_properties($from, $to, $fields = null) {
    // copies properties/elements (overwrites duplicates)
    // can take arrays or objects 
    // if fields is set (an array), will only copy keys listed in that array
    // returns $to with the added/replaced properties/keys
    $from_array = is_array($from) ? $from : get_object_vars($from);
    foreach($from_array as $key => $val) {
        if(!is_array($fields) or in_array($key, $fields)) {
            if(is_object($to)) {
                $to->$key = $val;
            } else {
                $to[$key] = $val;
            }
        }
    }
    return($to);
}

それがあなたの質問に答えないなら、それは確かに答えに向かって助けます。上記のコードの功績は自分自身にあります:)

0
Rolf

いくつかのオブジェクトが必要に応じてプロパティにネストされているために複数のレベルをマージする必要がある場合、次のソリューションがあります:

  • すべてのレベルを再帰的に通過しています
  • 文字列キーを、2番目の値で上書きする必要がある一意のプロパティとして認識しています。
  • 重複する値を削除しています。

溶液

$arr1 = [
    "head"=>[
        "title"=>"Tie1",
        3,
        5
    ],
    2,
    3
];
$arr2 = [
    3,
    4,
    5,
    "head"=>[
        "title"=>"Tie2",
        2,
        4,
        5
    ]
];

function object_merge($obj1, $obj2){
    $newVal = $obj1;
    foreach($obj2 as $key => $val){
        if(is_array($val)) $newVal[$key] = object_merge($obj1[$key], $val);
        elseif(is_string($key)) {
            $newVal[$key] = $val;
        }
        else $newVal[] = $val;
    }
    return array_unique($newVal, SORT_REGULAR);
}

$newArr = object_merge($arr1, $arr2);
print_r($newArr);

出力

Array
(
    [head] => Array
        (
            [title] => Tie2
            [0] => 3
            [1] => 5
            [2] => 2
            [3] => 4
        )

    [0] => 2
    [1] => 3
    [3] => 4
    [4] => 5
)
0
Jonathan Gagne

このコードスニペットは、ネストされたforeachループを使用せずに、そのデータを単一の型(配列またはオブジェクト)に再帰的に変換します。それが誰かを助けることを願っています!

オブジェクトが配列形式になったら、array_mergeを使用して、必要に応じてオブジェクトに戻すことができます。

abstract class Util {
    public static function object_to_array($d) {
        if (is_object($d))
            $d = get_object_vars($d);

        return is_array($d) ? array_map(__METHOD__, $d) : $d;
    }

    public static function array_to_object($d) {
        return is_array($d) ? (object) array_map(__METHOD__, $d) : $d;
    }
}

手続き的な方法

function object_to_array($d) {
    if (is_object($d))
        $d = get_object_vars($d);

    return is_array($d) ? array_map(__FUNCTION__, $d) : $d;
}

function array_to_object($d) {
    return is_array($d) ? (object) array_map(__FUNCTION__, $d) : $d;
}

すべてのクレジット:Jason Oakley

0
Johan Pretorius