当您尝试对其调用受保护或私有方法时,它将失败,因为以这种方式使用它算作从外部调用。据我所知,在5.3中没有办法解决这个问题,但是到了PHP 5.4,它将按预期工作,开箱即用:
class Hello {
private $message = "Hello world\n";
public function createClosure() {
return function() {
echo $this->message;
};
}
}
$hello = new Hello();
$helloPrinter = $hello->createClosure();
$helloPrinter(); // outputs "Hello world"
更重要的是,您将能够在运行时更改$this指向的内容,以获取匿名函数(闭包重新绑定):
class Hello {
private $message = "Hello world\n";
public function createClosure() {
return function() {
echo $this->message;
};
}
}
class Bye {
private $message = "Bye world\n";
}
$hello = new Hello();
$helloPrinter = $hello->createClosure();
$bye = new Bye();
$byePrinter = $helloPrinter->bindTo($bye, $bye);
$byePrinter(); // outputs "Bye world"
实际上,anonymus 函数将具有 bindTo() 方法,其中第一个参数可用于指定$this指向的内容,第二个参数控制可见性级别应是什么。如果省略第二个参数,可见性将类似于从“外部”调用,例如。只能访问公共属性。还要注意bindTo的工作方式,它不会修改原始函数,而是返回一个新函数。