為什麼 php empty 函式判斷結果為空,但實際值卻為非空

柳公子發表於2019-02-16

本文首發於 震驚 php empty 函式判斷結果為空,但實際值卻為非空,轉載請註明出處。

最近我在一個專案中使用 empty 時獲取到了一些意料之外的結果。下面是我處理後的除錯記錄,在這裡與你分享了。

var_dump(
    $person->firstName,
    empty($person->firstName)
);

它的結果是:

string(5) "Freek"
bool(true)

結果出人意料。為什麼變數的值為字串,但同時會是空值呢?讓我們在 $person->firstName 變數上嘗試使用其它一些函式來進行判斷吧:

var_dump(
    $person->firstName,
    empty($person->firstName),
    isset($person->firstName),
    is_null($person->firstName)
);

以上結果為:

string(5) "Freek"
bool(true) // empty
bool(true) // isset
bool(false) // is_null

譯者注:這邊的結果可能存在問題 isset 的結果同樣為 false,可以到 這裡 去執行下檢視結果。

issetis_null 函式執行結果符合預期判斷,唯獨 empty 函式返回了錯誤結果。

這裡讓我們來看看 person 類的實現程式碼吧:

class person
{
    protected $attributes = [];

    public function __construct(array $attributes)
    {
        $this->attributes = $attributes;
    }

    public function __get($name)
    {
        return $this->attributes[$name] ?? null;
    }
}

從上述程式碼我們可以看到 Person 物件的成員變數是通過 __get 魔術方法從 $attributes 陣列中檢索出來的。

當將變數傳入一個普通函式時,$person->firstName 會先進行取值處理,然後再將獲取到的結果作為引數傳入函式內。

但是 empty 不是一個函式,而是一種資料結構。所以當將 $person->firstName** 傳入 **empty** 時,並不會先進行取值處理。而是會先判斷 **$person 物件成員變數 firstName 的內容,由於這個變數並未真實存在,所以返回 false

在正中應用場景下,如果你希望 empty 函式能夠正常處理變數,我們需要在類中實現 __isset 魔術方法。

class Person
{
    protected $attributes = [];

    public function __construct(array $attributes)
    {
        $this->attributes = $attributes;
    }

    public function __get($name)
    {
        return $this->attributes[$name] ?? null;
    }

    public function __isset($name)
    {
        $attribute = $this->$name;

        return !empty($attribute);
    }
}

這是當 empty 進行控制判斷時,會使用這個魔術方法來判斷最終的結果。

再讓我們看看輸出結果:

var_dump(
   $person->firstName, 
   empty($person->firstName)
);

新的檢測結果:

string(5) "Freek"
bool(false)

完美!

原文:When empty is not empty

相關文章