What does ~~ (“double tilde”) do in Javascript?

前端 未结 9 507
有刺的猬
有刺的猬 2020-11-22 17:16

I was checking out an online game physics library today and came across the ~~ operator. I know a single ~ is a bitwise NOT, would that make ~~ a NOT of a NOT, which would

相关标签:
9条回答
  • 2020-11-22 17:46

    In ECMAScript 6, the equivalent of ~~ is Math.trunc:

    Returns the integral part of a number by removing any fractional digits. It does not round any numbers.

    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
    

    The polyfill:

    function trunc(x) {
        return x < 0 ? Math.ceil(x) : Math.floor(x);
    }
    
    0 讨论(0)
  • 2020-11-22 18:00

    The ~ seems to do -(N+1). So ~2 == -(2 + 1) == -3 If you do it again on -3 it turns it back: ~-3 == -(-3 + 1) == 2 It probably just converts a string to a number in a round-about way.

    See this thread: http://www.sitepoint.com/forums/showthread.php?t=663275

    Also, more detailed info is available here: http://dreaminginjavascript.wordpress.com/2008/07/04/28/

    0 讨论(0)
  • 2020-11-22 18:03

    It removes everything after the decimal point because the bitwise operators implicitly convert their operands to signed 32-bit integers. This works whether the operands are (floating-point) numbers or strings, and the result is a number.

    In other words, it yields:

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

    only if x is between -(231) and 231 - 1. Otherwise, overflow will occur and the number will "wrap around".

    This may be considered useful to convert a function's string argument to a number, but both because of the possibility of overflow and that it is incorrect for use with non-integers, I would not use it that way except for "code golf" (i.e. pointlessly trimming bytes off the source code of your program at the expense of readability and robustness). I would use +x or Number(x) instead.


    How this is the NOT of the NOT

    The number -43.2, for example is:

    -43.210 = 111111111111111111111111110101012

    as a signed (two's complement) 32-bit binary number. (JavaScript ignores what is after the decimal point.) Inverting the bits gives:

    NOT -4310 = 000000000000000000000000001010102 = 4210

    Inverting again gives:

    NOT 4210 = 111111111111111111111111110101012 = -4310

    This differs from Math.floor(-43.2) in that negative numbers are rounded toward zero, not away from it. (The floor function, which would equal -44, always rounds down to the next lower integer, regardless of whether the number is positive or negative.)

    0 讨论(0)
提交回复
热议问题