PHP群里有人询问self
关键字的用法,答案是比较明显的:静态成员函数内不能用this
调用非成员函数,但可以用self
调用静态成员函数/变量/常量;其他成员函数可以用self
调用静态成员函数以及非静态成员函数。随着讨论的深入,发现self
并没有那么简单。鉴于此,本文先对几个关键字做对比和区分,再总结self
的用法。
与parent
、static
以及this
的区别
要想将彻底搞懂self
,要与parent
、static
以及this
区分开。以下分别做对比。
parent
self
与parent
的区分比较容易:parent
引用父类/基类被隐盖的方法(或变量),self
则引用自身方法(或变量)。例如构造函数中调用父类构造函数:
class Base { public function __construct() { echo "Base contructor!", PHP_EOL; }}class Child { public function __construct() { parent::__construct(); echo "Child contructor!", PHP_EOL; }}new Child;// 输出:// Base contructor!// Child contructor!
static
static
常规用途是修饰函数或变量使其成为类函数和类变量,也可以修饰函数内变量延长其生命周期至整个应用程序的生命周期。但是其与self
关联上是PHP 5.3以来引入的新用途:静态延迟绑定。
有了static
的静态延迟绑定功能,可以在运行时动态确定归属的类。例如:
class Base { public function __construct() { echo "Base constructor!", PHP_EOL; } public static function getSelf() { return new self(); } public static function getInstance() { return new static(); } public function selfFoo() { return self::foo(); } public function staticFoo() { return static::foo(); } public function thisFoo() { return $this->foo(); } public function foo() { echo "Base Foo!", PHP_EOL; }}class Child extends Base { public function __construct() { echo "Child constructor!", PHP_EOL; } public function foo() { echo "Child Foo!", PH<b style="color:transparent">来&源gao@dai!ma.com搞$代^码%网</b><img>搞gaodaima代码</img>P_EOL; }}$base = Child::getSelf();$child = Child::getInstance();$child->selfFoo();$child->staticFoo();$child->thisFoo();
程序输出结果如下:
Base constructor!Child constructor!Base Foo!Child Foo!Child Foo!
在函数引用上,self
与static
的区别是:对于静态成员函数,self
指向代码当前类,static
指向调用类;对于非静态成员函数,self
抑制多态,指向当前类的成员函数,static
等同于this
,动态指向调用类的函数。
parent
、self
、static
三个关键字联合在一起看挺有意思,分别指向父类、当前类、子类,有点“过去、现在、未来”的味道。
this
self
与this
是被讨论最多,也是最容易引起误用的组合。两者的主要区别如下:
this
不能用在静态成员函数中,self
可以;- 对静态成员函数/变量的访问,建议 用
self
,不要用$this::
或$this->
的形式; - 对非静态成员变量的访问,不能用
self
,只能用this
; this
要在对象已经实例化的情况下使用,self
没有此限制;- 在非静态成员函数内使用,
self
抑制多态行为,引用当前类的函数;而this
引用调用类的重写(override)函数(如果有的话)。