PHP 动态设置对象属性

2022-08-30 18:49:33

我有一个函数,它应该读取数组并动态设置对象属性。

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

好吧,显然它不起作用,有没有办法做到这一点?

编辑

似乎这个代码没有错,问题应该关闭


答案 1

您只需要删除括号{}即可工作!->$this->$key = $value;


答案 2

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)

推荐