我今天在检查一个在线游戏物理库时遇到了~~操作员。我知道单个的~是一个按位的NOT,这会使~~变成一个NOT的NOT吗?它会返回相同的值,不是吗?


当前回答

在ECMAScript 6中,等价的~~是Math.trunc:

通过删除任何小数,返回数字的整部分。它不会四舍五入任何数字。

Math.trunc(13.37)   // 13
Math.trunc(42.84)   // 42
Math.trunc(0.123)   //  0
Math.trunc(-0.123)  // -0
Math.trunc("-1.123")// -1
Math.trunc(NaN)     // NaN
Math.trunc("foo")   // NaN
Math.trunc()        // NaN

polyfill:

function trunc(x) {
    return x < 0 ? Math.ceil(x) : Math.floor(x);
}

其他回答

~~可以用作Math.trunc()的简写

~~8.29 //输出8

Math.trunc(8.29) //输出

~似乎是-(N+1)。所以~2 == -(2 + 1)== -3如果你在-3上再做一次,它会把它转回来:~-3 == -(-3 + 1)== 2它可能只是以迂回的方式将字符串转换为数字。

请看这个帖子:http://www.sitepoint.com/forums/showthread.php?t=663275

此外,更详细的信息可在这里:http://dreaminginjavascript.wordpress.com/2008/07/04/28/

将字符串转换为数字

console.log(~~-1);    // -1
console.log(~~0);     // 0
console.log(~~1);     // 1
console.log(~~"-1");  // -1
console.log(~~"0");   // 0
console.log(~~"1");   // 1
console.log(~~true);  // 1
console.log(~~false); // 0

~-1 = 0

if (~someStr.indexOf("a")) {
  // Found it
} else  {
  // Not Found
}

除了截断实数外,~~还可以用作更新对象中的计数器的操作符。应用于未定义的对象属性的~~将解析为零,如果该counter属性已经存在,则将解析为相同的整数,然后再增加该整数。

let words=["abc", "a", "b", "b", "bc", "a", "b"];
let wordCounts={};    
words.forEach( word => wordCounts[word] = ~~wordCounts[word] + 1 );
console.log("b count == " + wordCounts["b"]);  // 3

下面两个赋值是等价的。

wordCounts[word] = (wordCounts[word] ? wordCounts[word] : 0) + 1;
wordCounts[word] = ~~wordCounts[word] + 1;

它删除小数点后的所有内容,因为位操作符隐式地将其操作数转换为有符号的32位整数。无论操作数是(浮点数)数字还是字符串,这都有效,并且结果是一个数字。

换句话说,它产生:

function(x) {
  if(x < 0) return Math.ceil(x);
  else return Math.floor(x);
}

只要x在-(231)和231 - 1之间。否则,将发生溢出,数字将“环绕”。

这可能被认为是有用的,将一个函数的字符串参数转换为一个数字,但由于溢出的可能性,这是不正确的使用非整数,我不会这样使用它,除了“代码高尔夫”(即,毫无意义地削减字节从你的程序的源代码,以可读性和健壮性为代价)。我会用+x或Number(x)来代替。


这怎么是“非”中的“非”

例如,数字-43.2是:

43.210 = 111111111111111111111111110101012

作为有符号的(2的补数)32位二进制数。(JavaScript忽略小数点后的内容。)将比特位颠倒得到:

否-4310 = 000000000000000000000000001010102 = 4210

再次求倒数得到:

不是4210 = 1111111111111111111111111111110101012 = -4310

这与Math.floor(-43.2)不同,因为负数是四舍五入到零,而不是远离零。(底函数等于-44,总是舍入到下一个更小的整数,不管这个数字是正还是负。)