1
0
mirror of https://github.com/ruanyf/es6tutorial.git synced 2025-05-24 18:32:22 +00:00

docs(proposal): add Null 判断运算符

This commit is contained in:
ruanyf 2019-07-30 17:52:53 +08:00
parent 2f1c2717bf
commit ac5a037098

View File

@ -251,6 +251,34 @@ a?.b = c
为了保证兼容以前的代码,允许`foo?.3:0`被解析成`foo ? .3 : 0`,因此规定如果`?.`后面紧跟一个十进制数字,那么`?.`不再被看成是一个完整的运算符,而会按照三元运算符进行处理,也就是说,那个小数点会归属于后面的十进制数字,形成一个小数。
## Null 判断运算符
读取对象属性的时候,如果某个属性的值是`null``undefined`,有时候需要为它们指定默认值。常见做法是通过`||`运算符指定默认值。
```javascript
const headerText = response.settings.headerText || 'Hello, world!';
const animationDuration = response.settings.animationDuration || 300;
const showSplashScreen = response.settings.showSplashScreen || true;
```
上面的三行代码都通过`||`运算符指定默认值,但是这样写是错的。开发者的原意是,只要属性的值为`null``undefined`,默认值就会生效,但是属性的值如果为空字符串或`false``0`,默认值也会生效。
为了避免这种情况,现在有一个[提案](https://github.com/tc39/proposal-nullish-coalescing),引入了一个新的 Null 判断运算符`??`。它的行为类似`||`,但是只有运算符左侧的值为`null``undefined`时,才会返回右侧的值。
```javascript
const headerText = response.settings.headerText ?? 'Hello, world!';
const animationDuration = response.settings.animationDuration ?? 300;
const showSplashScreen = response.settings.showSplashScreen ?? true;
```
上面代码中,默认值只有在属性值为`null``undefined`时,才会生效。
这个运算符可以跟链判断运算符`?.`配合使用。
```javascript
const animationDuration = response.settings?.animationDuration ?? 300;
```
## 函数的部分执行
### 语法