其他分享
首页 > 其他分享> > 非空运算符

非空运算符

作者:互联网

非空运算符??

在 JS 中,??运算符被称为非空运算符。如果第一个参数不是 null/undefined(译者注:这里只有两个假值,但是 JS 中假值包含:未定义 undefined、空对象 null、数值0、空数字NaN、布尔 false,空字符串’’,不要搞混了),将返回第一个参数,否则返回第二个参数。比如,

null ?? 5 // => 5
3 ?? 5 // => 3

给变量设置默认值时,以前常用 ||逻辑或运算符,例如,

var prevMoney = 1
var currMoney = 0
var noAccount = null
var futureMoney = -1
function moneyAmount(money) {
    return money || `账户未开通`
}
console.log(moneyAmount(prevMoney)) // => 1
console.log(moneyAmount(currMoney)) // => 账户未开通
console.log(moneyAmount(noAccount)) // => 账户未开通
console.log(moneyAmount(futureMoney)) // => -1

上面我们创建了函数 moneyAmount,它返回当前用户余额。我们使用 || 运算符来识别没有帐户的用户。

然而,当用户没有帐户时,这意味着什么?将无账户视为空而不是 0 更为准确,因为银行账户可能没有(或负)货币。

在上面的例子中,|| 运算符将 0 视为一个虚假值,不应该包括用户有 0 美元的帐户。让我们使用?? 非空运算符来解决这个问题:

var currMoney = 0
var noAccount = null
function moneyAmount(money) {
  return money ?? `账户未开通`
}
 
moneyAmount(currMoney) // => 0
moneyAmount(noAccount) // => `账户未开通`

概括地说 ?? 运算符允许我们在忽略错误值(如 0 和空字符串)的同时指定默认值。

标签:非空,console,money,运算符,moneyAmount,var,null
来源: https://blog.csdn.net/qq_40830369/article/details/122424570