变量+字段中的对象

时间:2012-04-18 19:06:35

标签: php oop variable-variables

我正在尝试使用变量做一些事情而且我遇到了一个对象问题。想象一下这个课程设置:

class A
{
  public $field = 10;
}

class B
{
  public $a;

  public function __construct()
  {
    $this->a = new A();
  }
}

现在每个人都知道这段代码有效:

$a = new A();
$var = 'field';
echo $a->$var; // this will echo 10

我有可能做出像这样的工作吗?:

$b = new B();
$var = 'a->field';
echo $b->$var; // this fails

注意:任何不使用eval函数的选项?

4 个答案:

答案 0 :(得分:2)

如何使用闭包?

$getAField = function($b) {
    return $b->a->field;
};

$b = new B();
echo $getAField($b);

尽管如此,它只适用于较新版本的PHP。

或者,作为一个更通用的版本,像这样:

function getInnerField($b, $path) { // $path is an array representing chain of member names
    foreach($path as $v)
        $b = $b->$v;
    return $b;
}

$b = new B();
echo getInnerField($b, array("a", "field"));

答案 1 :(得分:1)

您可以在类上编写自定义__get方法来访问子级属性。这有效:

class A
{
  public $field = 10;
}

class B
{
  public $a;

  public function __construct()
  {
    $this->a = new A();
  }

  public function __get($property) {
    $scope = $this;

    foreach (explode('->', $property) as $child) {
      if (isset($scope->$child)) {
    $scope = $scope->$child;
      } else {
    throw new Exception('Property ' . $property . ' is not a property of this object');
      }
    }

    return $scope;
  }
}

$b = new B();
$var = 'a->field';
echo $b->$var;

希望有所帮助

答案 2 :(得分:0)

我不推荐它,但你可以使用eval:

$b = new B();
$var = 'a->field';
eval( 'echo $b->$'.$var );

答案 3 :(得分:0)

我猜这也应该有效:

$b = new B();
$var1 = 'a'; 
$var2 = 'field'

echo ($b->$var1)->$var2;