這篇文章給大家分享的是有關(guān)php中empty函數(shù)判斷結(jié)果為空但實(shí)際值卻為非空的原因是什么的內(nèi)容。小編覺得挺實(shí)用的,因此分享給大家做個(gè)參考,一起跟隨小編過來看看吧。
創(chuàng)新互聯(lián)一直通過網(wǎng)站建設(shè)和網(wǎng)站營銷幫助企業(yè)獲得更多客戶資源。 以"深度挖掘,量身打造,注重實(shí)效"的一站式服務(wù),以成都做網(wǎng)站、成都網(wǎng)站設(shè)計(jì)、移動互聯(lián)產(chǎn)品、成都全網(wǎng)營銷推廣服務(wù)為核心業(yè)務(wù)。10余年網(wǎng)站制作的經(jīng)驗(yàn),使用新網(wǎng)站建設(shè)技術(shù),全新開發(fā)出的標(biāo)準(zhǔn)網(wǎng)站,不但價(jià)格便宜而且實(shí)用、靈活,特別適合中小公司網(wǎng)站制作。網(wǎng)站管理系統(tǒng)簡單易用,維護(hù)方便,您可以完全操作網(wǎng)站資料,是中小公司快速網(wǎng)站建設(shè)的選擇。最近我在一個(gè)項(xiàng)目中使用 empty 時(shí)獲取到了一些意料之外的結(jié)果。下面是我處理后的調(diào)試記錄,在這里與你分享了。
var_dump( $person->firstName, empty($person->firstName) );
它的結(jié)果是:
string(5) "Freek"
bool(true)
結(jié)果出人意料。為什么變量的值為字符串,但同時(shí)會是空值呢?讓我們在 $person->firstName 變量上嘗試使用其它一些函數(shù)來進(jìn)行判斷吧:
var_dump( $person->firstName, empty($person->firstName), isset($person->firstName), is_null($person->firstName) );
以上結(jié)果為:
string(5) "Freek"
bool(true) // empty
bool(true) // isset
bool(false) // is_null
譯者注:這邊的結(jié)果可能存在問題 isset 的結(jié)果同樣為 false,可以到 這里 去運(yùn)行下查看結(jié)果。
isset 和 is_null 函數(shù)執(zhí)行結(jié)果符合預(yù)期判斷,唯獨(dú) empty 函數(shù)返回了錯(cuò)誤結(jié)果。
這里讓我們來看看 person 類的實(shí)現(xiàn)代碼吧:
class person { protected $attributes = []; public function __construct(array $attributes) { $this->attributes = $attributes; } public function __get($name) { return $this->attributes[$name] ?? null; } }
從上述代碼我們可以看到 Person 對象的成員變量是通過 __get 魔術(shù)方法從$attributes
數(shù)組中檢索出來的。
當(dāng)將變量傳入一個(gè)普通函數(shù)時(shí),$person->firstName
會先進(jìn)行取值處理,然后再將獲取到的結(jié)果作為參數(shù)傳入函數(shù)內(nèi)。
但是 empty 不是一個(gè)函數(shù),而是一種數(shù)據(jù)結(jié)構(gòu)。所以當(dāng)將 $person->firstName
** 傳入 **empty** 時(shí),并不會先進(jìn)行取值處理。而是會先判斷 **$person 對象成員變量 firstName 的內(nèi)容,由于這個(gè)變量并未真實(shí)存在,所以返回 false。
在正中應(yīng)用場景下,如果你希望 empty 函數(shù)能夠正常處理變量,我們需要在類中實(shí)現(xiàn) __isset 魔術(shù)方法。
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); } }
這是當(dāng) empty 進(jìn)行控制判斷時(shí),會使用這個(gè)魔術(shù)方法來判斷最終的結(jié)果。
再讓我們看看輸出結(jié)果:
var_dump( $person->firstName, empty($person->firstName) );
新的檢測結(jié)果:
string(5) "Freek"
bool(false)
感謝各位的閱讀!關(guān)于“php中empty函數(shù)判斷結(jié)果為空但實(shí)際值卻為非空的原因是什么”這篇文章就分享到這里了,希望以上內(nèi)容可以對大家有一定的幫助,讓大家可以學(xué)到更多知識,如果覺得文章不錯(cuò),可以把它分享出去讓更多的人看到吧!