[JS] undefined 和 null 的差異
undefined 是 JavaScript 的特有物之一,新手入門時,常會對 undefined 和 null 這兩個型別產生疑問,以下逐步解說。
💎 null
null
表示一個空值(沒有值),是各種程式語言中常見的型別,如果有後端資料庫的相關經驗,在設計 SQL 資料表時,可以在非必要欄位設定『允許 null』,當資料建立起來的時候,這些沒填的欄位就會塞入 null 來表示空值。JS 中的
null
是一種原始型別
,可以賦予變數的值為 null 來表示他是空值
,當看到 null 時,我們可以知道這是人為賦予的空值,不是系統自動產生的。1
2let a = null; // 不要包引號,會變成字串
console.log(a); // nullJS 裡的 null 還有一些特色:
- 檢查型別(typeof)的設計失誤(因影響久遠,此錯誤不會修正),正確是 null。
1
console.log(typeof null); // object
- null 雖然代表著空值,轉型成字串時會照字面上的英文轉。
1
console.log(null + ''); // 'null'
參考資料: MDN-null、MDN-typeof
- 檢查型別(typeof)的設計失誤(因影響久遠,此錯誤不會修正),正確是 null。
💎 undefined
- undefined 從字面上可以理解成『未定義』,表示這個變數並沒有被賦予任何的值,跟已經被賦予空值(null)代表著不一樣的資料狀態,比起 null,undefined 更容易跟 not defined 搞混:
undefined
是變數已被宣告
且未賦值
,屬於原始型別
之一。not defined
是變數未被宣告
,不屬於原始型別,是程式執行時的錯誤訊息(runtime error)
。1
2
3
4
5
6let a;
console.log(a); // undefined
console.log(typeof a); // undefined
console.log(b); // ReferenceError: b is not defined
console.log(typeof b); // undefined
💎 null == undefined ?
- 看完前面的段落,可以知道 undefined 和 null 意義上是完全不同,接著來比較看看:不是說好不一樣的嗎?
1
console.log(undefined == null); // true
可能是轉型在作亂,改用嚴格比較(===)看看。果然是轉型搞的鬼,但是為什麼 undefined 和 null 轉型後會相等?下個段落繼續說明。1
console.log(undefined === null); // false
💎 truthy & falsy
JavaScript 中的各種值都可以被轉換成布林值(Boolean),轉換後為 true 的值稱為
truthy
,反之則稱為falsy
,除了以下所列的值屬於 falsy 值,其他都是 truthy 值。
(完整的圖表可以參考 JS Comparison Table)- false
- 0
- -0
- 0n (BigInt)
- “” (空字串,包含
單引號
、反引號
) - null
- undefined
- NaN
- document.all (正常不會用到)
由上可知,
null
和undefined
都是falsy
值,在做一般相等的比較時,都會被轉成 false,所以得到的結果是 true。truthy 和 falsy 的運用:檢查資料是否存在時可以運用轉成布林值的方法減少程式碼撰寫長度。
1
2
3
4
5
6
7
8
9// 原始寫法:
if (arr[0] === undefined) {
...
}
// 轉型為布林值
if (!arr[0]) {
...
}
💎 null 和 undefined 出現時機
除了未賦值的 undefined 和自己定義的 null 外,還有什麼時候會出現呢?
null
:會出現在 BOM(Browser Object Model)中不存在的資料,例如:document.querySelector、localStorage、 sessionStorage…等,不存在時會得到 null。1
2localStorage.getItem('a'); // null
sessionStorage.getItem('a'); // nullundefined
:取用不存在 JS 程式碼中或是未賦值的資料會得到 undefined。1
2
3
4let arr = [];
let obj = {};
console.log(arr[1]); // undefined
console.log(obj.a); // undefined
以上是我對這兩個型別的一點認知,如有錯誤或是補充的知識點,也歡迎大家不吝指教,謝謝觀看!