대부분의 PHP 사용자에게 self와 static 두 키워드는 낯설지 않습니다. self::xxxx
를 통해 현재 클래스의 정적 속성과 메서드를 호출하는 방법을 배웁니다. 그리고 정적은 어떻습니까? 많은 사람들은 이것이 정적 메소드와 클래스 속성 키워드를 정의하는 데 사용된다는 것을 알아야 합니다. self::xxxx
这种方式来调用当前类的静态属性和方法。而 static 呢?想必很多人只知道它是用于定义一个静态方法和类属性关键词。
这也是我之前的认知。
现在我们来回顾一下这两个关键词的一些常见用法:
// self 用法 1 :调用静态成员属性 <?php class Person { protected static $maxAddressCount = 5; // 收获地址创建最大数量。 public function test() { echo self::$maxAddressCount; } } $person = new Person(); $person->test();
// self 用法 2 :调用静态方法 <?php class Person { protected static $maxAddressCount = 5; // 收获地址创建最大数量。 protected static function getMaxAddressCount() { return self::$maxAddressCount; } public function test() { echo self::getMaxAddressCount(); } } $person = new Person(); $person->test();
// self 用法 3 :创建一个当前对象 <?php // 单例示例 class Person { private static $instance = null; private function __construct() {} final public static function getInstance() { if (self::$instance == null) { self::$instance = new self; } return self::$instance; } public function test() { echo "hello world!"; } } $person = Person::getInstance(); $person->test();
关于 static 关键词的常见用法也在上面 3 个示例中得到综合体现。
我深信上面的用法,任何一个入门的 PHPer 都是非常熟悉的。现在我要讲的是以下两种方式:
new self() 与 new static() 的区别?
我相信很多人都知道new self()
创建一个当前类的对象,并不知道new static()
也能创建一个当前类的对象。
关于new static()
这种用法呢,在官方文档有说明。地址:https://www.php.net/manual/zh/language.oop5.late-static-bindings.php
PHP 官方把这种方式称为:后期静态绑定。
官方示例 1:
<?php class A { public static function who() { echo __CLASS__; } public static function test() { self::who(); } } class B extends A { public static function who() { echo __CLASS__; } } B::test();
因为 Class B 继承了 Class A。 A 与 B 都有一个静态方法who()
。此时通过B::test()
的时候,调用的实际上是 Class A 的who()
方法。
因为子类 Class B 的静态方法who()
属于在 Class A 之后的子类里面才定义的。而 PHP 的默认特性只允许调用最先定义的。
就这引出了后期静态绑定的概念。
官方示例 2:
<?php class A { public static function who() { echo __CLASS__; } public static function test() { static::who(); // 后期静态绑定从这里开始 } } class B extends A { public static function who() { echo __CLASS__; } } B::test();
我们把 Class A 里面的test()
方法体的self
更改为static
rrreeerrreeerrreee
정적 키워드의 일반적인 용도도 위의 3가지 예에 포괄적으로 반영되어 있습니다.저는 모든 초급 PHPer가 위의 사용법에 매우 익숙할 것이라고 굳게 믿습니다. 이제 제가 이야기하고 싶은 것은 다음 두 가지 방법입니다.