Search code examples
phpobjectsetter

PHP set object properties dynamically


I have a function, that should read array and dynamically set object properties.

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);

Well, obviously it doesn't work, is there a way to do this?

EDIT

It seems that nothing is wrong with this code, the question should be closed


Solution

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

    You can using Reflection, I think.

    <?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);
    

    Outputs:

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