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
是被討論最多,也是最容易引起誤用的組合。兩者的主要區別如下:
this
不能用在靜態成員函數中,self
可以;self
,不要用$this::
或$this->
的形式;self
,只能用this
;this
要在物件已經範例化的情況下使用,self
沒有此限制;self
抑制多型行為,參照當前類的函數;而this
參照呼叫類的重寫(override)函數(如果有的話)。self
的用途看完與上述三個關鍵字的區別,self
的用途是不是呼之即出?一句話總結,那就是:self
總是指向「當前類(及類範例)」。詳細說則是:
this
要加$
符號且必須加,強迫症表示很難受;$this->
呼叫非靜態成員函數,但是可以通過self::
呼叫,且在呼叫函數中未使用$this->
的情況下還能順暢執行。此行為貌似在不同PHP版本中表現不同,在當前的7.3中ok;self
,猜猜結果是什麼?都是string(4) "self"
,迷之輸出;return $this instanceof static::class;
會有語法錯誤,但是以下兩種寫法就正常:
$class = static::class; return $this instanceof $class; // 或者這樣: return $this instanceof static;
所以這是為什麼啊?!
更多PHP相關技術文章,請存取PHP教學欄目進行學習!
以上就是解析PHP的self關鍵字的詳細內容,更多請關注TW511.COM其它相關文章!