JavaScript中运算符的顺序(||,\u0026\u0026)
作者:互联网
我正在阅读Underscore.js的源代码,然后让我困惑的是:
// Its code, check the passed-in parameter obj
_.isObject = function(obj) {
var type = typeof obj;
return type === 'function' || type === 'object' && !!obj;
};
我对表达式的运算符顺序感到困惑.
我认为操作符的优先权在
return type === 'function' || type === 'object' && !!obj;
将从左到右;我的意思是等于:
return (type === 'function' ) || ( type === 'object' && !!obj);
如果type equal函数返回true;其他操作类型===’对象’&& !OBJ; if type equal object return !! obj,与Boolean(obj)相同;否则返回false;
我做了一些例子:
var a = alert(1) || alert(2) && alert(3);
alert(a); //result : 1, 2 undefined;
var a = alert(1) || alert(2) && 0;
alert(a); //result : 1, 2 undefined;
让我困惑的是:
>为什么!! obj应该存在?如果我们删除!! obj,代码也会运行.
>此代码的操作符订单?我知道&&运算符高于||,所以我猜!!当obj为null时obj效果,但是当我练习那不是我想要的;
解决方法:
如果对象为null,则它们希望返回false.通常当我们需要知道某个东西是否是某个对象时,null不是我们想要的东西.那是因为尝试访问null的属性(例如null [propName])会引发错误.
console.log(typeof null);
表达式类型的执行顺序===’function’||键入===’object’&& !OBJ;是从左到右:
> type ===’function’ – 如果这是表达将返回
真实`而不计算其余的
> type ===’object’ – 如果为false,表达式将返回
假而不计算最后一部分
> !! obj – null将返回false,任何其他对象都将返回true
该片段演示了流程:
step(false, 1) || step(true, 2) && step(true, 3)
function step(ret, step) {
console.log(step);
return ret;
}
Using
!!
we can cast values to booleans – So truthy values would be
converted to true, for example!!{} === true
, and falsy ones to
false, for example!!null === false
.
标签:javascript,underscore-js,operator-precedence 来源: https://codeday.me/bug/20190608/1198439.html