在PHP 5.4.0之前的匿名函数中使用`$this`
作者:互联网
PHP手册说明
It is not possible to use
$this
from anonymous function before PHP
5.4.0
在anonymous functions page.但我发现我可以通过将$this分配给变量并将变量传递给函数定义中的use语句来使其工作.
$CI = $this;
$callback = function () use ($CI) {
$CI->public_method();
};
这是一个好习惯吗?
有没有更好的方法来使用PHP 5.3在匿名函数中访问$this?
解决方法:
当您尝试在其上调用受保护或私有方法时,它将失败,因为使用它会被视为从外部调用.据我所知,在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指向anonymus函数(闭包重新绑定):
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"
实际上,匿名函数将具有bindTo() method,其中第一个参数可用于指定$this指向的内容,第二个参数控制可见性级别应该是什么.如果省略第二个参数,则可见性就像从“外部”调用,例如.只能访问公共属性.还要注意bindTo的工作方式,它不会修改原始函数,而是返回一个新函数.
标签:php,anonymous-function 来源: https://codeday.me/bug/20190925/1817790.html