null vs undefined
The ECMAScript language specification describes them as follows:
- undefined 是被使用但是没有被赋值
- null 是对变量一个显示对声明一个值
在JS中,每个变量能够同时被赋值引用类型和原始类型。因此,如果null意味着 不是一个对象,JS也需要一个初值意味着 既不是 引用类型 也不是 原始类型。那个值就是undefined。
If a variable myVar has not been initialized yet, its value is undefined:
1 | let myVar; |
If a property .unknownProp is missing, accessing the property produces the values undefined:
1 | const obj = {}; |
If a function does not explicitly return anything, the function implicitly returns undefined:
1 | function myFunc() {} |
If a function has a return statement without an argument, the function implicitly returns undefined:
1 | function myFunc() { |
If a parameter x is omitted, the language initializes that parameter with undefined:
1 | function myFunc(x) { |
Optional chaining via obj?.someProp returns undefined if obj is undefined or null:
1 | > undefined?.someProp |
The prototype of an object is either an object or, at the end of a chain of prototypes, null. Object.prototype does not have a prototype:
1 | > Object.getPrototypeOf(Object.prototype) |
If we match a regular expression (such as /a/) against a string (such as ‘x’), we either get an object with matching data (if matching was successful) or null (if matching failed)(有结果就返回匹配对象,没结果返回null):
1 | > /a/.exec('x') |
The JSON data format does not support undefined, only null:
1 | > JSON.stringify({a: undefined, b: null}) |
Operators that treat undefined and/or null specially
undefined and parameter default values
参数默认值的使用情况:
- 参数没传
- 参数的值是undefined
For example
1 | function myFunc(arg='abc') { |
undefined and destructuring default values
解构给默认值跟参数给默认值一样,匹配到undefined给默认值
Default values in destructuring work similarly to parameter default values – they are used if a variable either has no match in the data or if it matches undefined:
1 | const [a='a'] = []; |
undefined and null and optional chaining
When there is optional chaining via value?.prop:
- If value is undefined or null, return undefined. That is, this happens whenever value.prop would throw an exception.
- Otherwise, return value.prop.
1 | function getProp(value) { |
The following two operations work similarly:
1 | obj?.[«expr»] // optional dynamic property access |
undefined and null and nullish coalescing
nullish coalescing 的使用比较 简单,如果值是undefined 或者null的时候取后者
1 | > undefined ?? 'default value' |
The nullish coalescing assignment operator ??= combines nullish coalescing with assignment:
??= 就是把 取值和赋值合起来
1 | function setName(obj) { |