此文章同步刊登於我的部落格
在PHP中可以用$this
、self
、與static
代表自己這個類別
有些人可能搞不清楚他們的區別,尤其是self
、與static
但是他們各別有自己的意義和用法
在實戰中這些些微的差別可能就會造成不可預期的問題
今天我們就來仔細說明一下他們之間的差別吧
$this
是一個特殊的變數,用於在物件方法中引用當前物件的實例class Foo {
public string $bar = 'bar';
// 存取屬性
public function getBar(): string
{
return $this->bar;
}
// 呼叫方法
public function printBar(): void
{
echo $this->getBar();
}
}
$foo = new Foo();
$foo->bar = 'my_bar';
$foo->printBar(); // 印出my_bar
self
是用於在類別內部引用自身的關鍵字self
時,引用的是定義該關鍵字的類別,而不是實例化後的物件,所以被繼承之後,self
指的還是當初的父類別class Foo {
const BAR = 'bar';
public function printBar(): void
{
echo self::BAR;
}
}
class Foo2 extends Foo
{
const BAR = 'bar2';
}
$foo2 = new Foo2();
$foo2->printBar(); // 印出bar
static
也是用於在類別內部引用自身的關鍵字self
,static
在運行時繫結,因此可以實現後期繫結(Late Static Binding),引用該方法實際被調用的類別class Foo {
const BAR = 'bar';
public function printBar(): void
{
echo static::BAR;
}
}
class Foo2 extends Foo
{
const BAR = 'bar2';
}
$foo2 = new Foo2();
$foo2->printBar(); // 印出bar2