专栏名称: tlanyan
目录
相关文章推荐
哎咆科技  ·  还是好人多啊 ·  11 小时前  
哎咆科技  ·  DeepSeek表明:未来10年可能是70- ... ·  昨天  
ZOL中关村在线  ·  后摄变“跑道”你能接受吗?iPhone ... ·  昨天  
格上财富  ·  广东成立新机构,信号强烈 ·  3 天前  
哎咆科技  ·  猫窝 ·  2 天前  
51好读  ›  专栏  ›  tlanyan

PHP的self关键字

tlanyan  · 掘金  ·  · 2019-06-23 14:06

正文

阅读 10

PHP的self关键字

转载请注明文章出处: tlanyan.me/self-in-php…

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!", PHP_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 是被讨论最多,也是最容易引起误用的组合。两者的主要区别如下:

  1. this 不能用在静态成员函数中, self 可以;
  2. 对静态成员函数/变量的访问, 建议 self ,不要用 $this:: $this-> 的形式;
  3. 对非静态成员变量的访问,不能用 self ,只能用 this ;
  4. this 要在对象已经实例化的情况下使用, self 没有此限制;
  5. 在非静态成员函数内使用, self 抑制多态行为,引用当前类的函数;而 this 引用调用类的重写(override)函数(如果有的话)。

self 的用途

看完与上述三个关键字的区别, self 的用途是不是呼之即出?一句话总结,那就是: self 总是指向“当前类(及类实例)”。详细说则是:







请到「今天看啥」查看全文


推荐文章
哎咆科技  ·  还是好人多啊
11 小时前
格上财富  ·  广东成立新机构,信号强烈
3 天前
哎咆科技  ·  猫窝
2 天前
行秀旅行  ·  休闲美东|穿过城市去看瀑布
7 年前
饥饿英语  ·  为什么你写的东西总是不地道?
7 年前