在ECMAScript 5.1规范中,+0和-0是有区别的。

为什么+0 === -0的结果为真?


当前回答

在JavaScript中用于表示数字类型的IEEE 754标准中,符号由位表示(1表示负数)。

因此,对于每个可表示的数字,包括0,都存在一个负数和一个正数。

这就是-0和+0同时存在的原因。

其他回答

我将其归咎于严格相等比较方法('===')。 看4d部分

参见7.2.13规范严格相等比较

2021的答案

+0和-0是一样的吗?

简单回答:取决于您使用的比较运算符。

长一点的回答:

基本上,到目前为止,我们有4种比较类型:

“松”的平等

console.log(+0 == -0); // true

“严格的”平等

console.log(+0 === -0); // true

“同值”等式(ES2015的Object.is)

console.log(Object.is(+0, -0)); // false

“同值零”平等(ES2016)

console.log([+0].includes(-0)); // true

结果,只有Object。Is(+0, -0)和其他的有区别。 x = +0, y = -0;// true ->使用' loose '相等 Console.log (x === y);// true ->使用' strict '相等 console.log ([x] .indexOf (y));// 0 (true) ->使用' strict '相等 console.log(对象。是(x, y));// false ->使用'同值'相等 console.log ([x]其中(y));// true ->使用“相同值为零”的等式

我刚刚遇到了一个例子,其中+0和-0的行为确实非常不同:

Math.atan2(0, 0);  //returns 0
Math.atan2(0, -0); //returns Pi

小心:即使在使用数学。对-0.0001这样的负数四舍五入,它实际上会是-0,并且会打乱上面所示的一些后续计算。

快速和肮脏的方法来解决这个问题,像这样做smth:

if (x==0) x=0;

或者是:

x+=0;

这将数字转换为+0,如果它是-0。

JavaScript使用IEEE 754标准来表示数字。从维基百科:

Signed zero is zero with an associated sign. In ordinary arithmetic, −0 = +0 = 0. However, in computing, some number representations allow for the existence of two zeros, often denoted by −0 (negative zero) and +0 (positive zero). This occurs in some signed number representations for integers, and in most floating point number representations. The number 0 is usually encoded as +0, but can be represented by either +0 or −0. The IEEE 754 standard for floating point arithmetic (presently used by most computers and programming languages that support floating point numbers) requires both +0 and −0. The zeroes can be considered as a variant of the extended real number line such that 1/−0 = −∞ and 1/+0 = +∞, division by zero is only undefined for ±0/±0 and ±∞/±∞.

本文包含关于不同表示形式的进一步信息。

这就是为什么,技术上讲,两个0都要区分。

但是,+0 === -0的结果为true。为什么会这样?

这种行为在第11.9.6节严格相等比较算法中明确定义(重点部分是我的):

比较x === y,其中x和y为值,产生true或false。这样的比较如下: (…) 如果Type(x)是Number,则 如果x为NaN,则返回false。 如果y是NaN,返回false。 如果x与y的Number值相同,则返回true。 如果x为+0,y为−0,则返回true。 如果x为−0,y为+0,则返回true。 返回false。 (…)

(顺便说一句,+0 == -0也是如此。)

把+0和-0视为相等似乎是合乎逻辑的。否则,我们将不得不在我们的代码中考虑到这一点,我个人不想这样做;)


注意:

ES2015引入了一个新的比较方法Object.is。对象。显式区分-0和+0:

Object.is(-0, +0); // false

回答原来的题目+0和-0是一样的吗?:

brainslugs83(在Spudley回答的评论中)指出了一个重要的情况,在JS中+0和-0是不一样的-实现为函数:

var sign = function(x) {
    return 1 / x === 1 / Math.abs(x);
}

除了标准数学,这个会。返回+0和-0的正确符号。