在php中调用匿名函数定义为对象变量

时间:2011-04-09 13:46:23

标签: php class anonymous-function

我有php代码:

class Foo {
  public $anonFunction;
  public function __construct() {
    $this->anonFunction = function() {
      echo "called";
    }
  }
}

$foo = new Foo();
//First method
$bar = $foo->anonFunction();
$bar();
//Second method
call_user_func($foo->anonFunction);
//Third method that doesn't work
$foo->anonFunction();

在php中是否有一种方法可以使用第三种方法来调用定义为类属性的匿名函数?

感谢

1 个答案:

答案 0 :(得分:9)

不直接。 $foo->anonFunction();不起作用,因为PHP会尝试直接调用该对象上的方法。它不会检查是否存在存储可调用名称的属性。您可以拦截方法调用。

将其添加到类定义

  public function __call($method, $args) {
     if(isset($this->$method) && is_callable($this->$method)) {
         return call_user_func_array(
             $this->$method, 
             $args
         );
     }
  }

此技术也在

中解释