web-dev-qa-db-ja.com

PHPオブジェクトのプロパティを動的に設定する

配列を読み取り、オブジェクトのプロパティを動的に設定する関数があります。

class A {
    public $a;
    public $b;

    function set($array){
        foreach ($array as $key => $value){
            if ( property_exists ( $this , $key ) ){
                $this->{$key} = $value;
            }
        }
    }
}

$a = new A();
$val = Array( "a" => "this should be set to property", "b" => "and this also");
$a->set($val);

まあ、明らかにそれは動作しません、これを行う方法はありますか?

[〜#〜]編集[〜#〜]

このコードには何も問題がないようです。質問は閉じてください

14
Ben

http://www.php.net/manual/en/reflectionproperty.setvalue.php

Reflectionは使用できると思います。

<?php 

function set(array $array) {
  $refl = new ReflectionClass($this);

  foreach ($array as $propertyToSet => $value) {
    $property = $refl->getProperty($propertyToSet);

    if ($property instanceof ReflectionProperty) {
      $property->setValue($this, $value);
    }
  }
}

$a = new A();

$a->set(
  array(
    'a' => 'foo', 
    'b' => 'bar'
  )
);

var_dump($a);

出力:

object(A)[1]
  public 'a' => string 'foo' (length=3)
  public 'b' => string 'bar' (length=3)
13
CentaurWarchief

角かっこ{}を削除するだけで機能します。 -> $this->$key = $value;

30