爲何 php empty 函數判斷結果爲空,但實際值卻爲非空

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

最近我在一個項目中使用 empty 時獲取到了一些意料以外的結果。下面是我處理後的調試記錄,在這裏與你分享了。php

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 函數返回了錯誤結果。this

這裏讓咱們來看看 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 數組中檢索出來的。code

當將變量傳入一個普通函數時,$person->firstName 會先進行取值處理,而後再將獲取到的結果做爲參數傳入函數內。對象

可是 empty 不是一個函數,而是一種數據結構。因此當將 $person->firstName** 傳入 **empty** 時,並不會先進行取值處理。而是會先判斷 **$person 對象成員變量 firstName 的內容,因爲這個變量並未真實存在,因此返回 falseblog

在正中應用場景下,若是你但願 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

相關文章
相關標籤/搜索