3497

I saw some code that seems to use an operator I don't recognize, in the form of two exclamation points, like so: !!. Can someone please tell me what this operator does?

The context in which I saw this was,

this.vertical = vertical !== undefined ? !!vertical : this.vertical;
kevinji
  • 9,983
  • 4
  • 35
  • 55
Hexagon Theory
  • 37,347
  • 5
  • 24
  • 30
  • 1092
    Remember it by "bang, bang you're boolean" – Gus Feb 15 '12 at 18:35
  • 91
    Just for the record, don't do what is quoted there. Do `if(vertical !== undefined) this.vertical = Boolean(vertical);` - it is much cleaner and clearer what is going on, requires no unnecessary assignment, is entirely standard, and is just as fast (on current FF and Chrome) http://jsperf.com/boolean-conversion-speed . – Phil H Feb 12 '14 at 09:43
  • "any decent programmer should know what's going on..." - it sometimes helps the compiler generate better code in compiled languages. I know it used to be recommended by Microsoft when using C code because it generated the best code. (It probably still is recommended, but I can't find the reference at the moment). – jww Apr 01 '14 at 12:11
  • 88
    !! is not an operator. It's just the ! operator twice. – Vivek Jul 16 '14 at 07:21
  • 69
    @schabluk, for the record, [order of operations](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Operator_Precedence) is the reason `!!5/0` produces `Infinity` rather than `true`, as produced by `Boolean(5/0)`. `!!5/0` is equivalent to `(!!5)/0` -- a.k.a `true/0` -- due to the `!` operator having a higher precedence than the `/` operator. If you wanted to Booleanize `5/0` using a double-bang, you'd need to use `!!(5/0)`. – matty May 24 '15 at 13:47
  • Put simply: !!vertical gives you a boolean value as to whether 'vertical' is defined or non-false. – user2808054 Oct 13 '15 at 09:23
  • 2
    [What does !!(x) mean in C (esp. the Linux kernel)?](http://stackoverflow.com/q/2527086/995714) – phuclv Apr 29 '17 at 09:40
  • Just for the record, Boolean(5/0) is not the same as !!5/0 – schabluk Feb 12 '15 at 9:45 Yes because you use the second statement without the brackets. In any other case, they are the same Boolean(5/0) same as !!(5/0) – Karol Be Oct 23 '18 at 12:49
  • 1
    Simplely explain: `!!value === Boolean(value)` – bytefish Dec 14 '18 at 07:16
  • 9
    @Gus Just so you know, I read your comment waaaay back in 2012. Over the course of the 7 years since then, I've always said humorously in my mind "Bang bang! you're boolean!" when inverting a boolean, and I've always remembered how as a result. I decided to look up your comment today and let you know :-) – Zachary Schuessler Jul 19 '19 at 17:39
  • 3
    @ZacharySchuessler thx, I'm pleased so many like it, and I've even seen it quoted (and credited) in tutorial sites and such now which is awesome :) never dreamed I'd be coining such a popular mnemonic. – Gus Aug 28 '19 at 14:10
  • Phil H BTW in javascript you ought not check a variable with the ternary operator (!== or ===). Just use (variable == null). Checking a variable with the ternary operator means you will need to check both undefined and null. In javascript (OP query) undefined !== null – GregJF Apr 29 '20 at 23:50
  • if this.vertical == "good" and vertical == "other", then this.vertical would be changed to a boolean true!! That is not deterministic. that code just change the variable type That will lead to unexpected results – GregJF Apr 29 '20 at 23:58
  • @Gus **I love you kitchen js!** – tatsu Oct 09 '20 at 08:29

37 Answers37

3097

Converts Object to boolean. If it was falsey (e.g. 0, null, undefined, etc.), it will be false, otherwise, true.

!oObject  // inverted boolean
!!oObject // non inverted boolean so true boolean representation

So !! is not an operator, it's just the ! operator twice.

Real World Example "Test IE version":

const isIE8 = !! navigator.userAgent.match(/MSIE 8.0/);  
console.log(isIE8); // returns true or false 

If you ⇒

console.log(navigator.userAgent.match(/MSIE 8.0/));  
// returns either an Array or null  

But if you ⇒

console.log(!!navigator.userAgent.match(/MSIE 8.0/));  
// returns either true or false
meager
  • 209,754
  • 38
  • 307
  • 315
stevehipwell
  • 48,850
  • 5
  • 42
  • 60
  • 135
    It converts a nonboolean to an inverted boolean (for instance, !5 would be false, since 5 is a non-false value in JS), then boolean-inverts that so you get the original value as a boolean (so !!5 would be true). – Chuck Apr 24 '09 at 17:14
  • 127
    An easy way to describe it is: Boolean(5) === !!5; Same casting, fewer characters. – Micah Snyder Apr 24 '09 at 18:27
  • 49
    This is used to convert truthy values to boolean true, and falsy values too boolean false. – thetoolman Jul 16 '12 at 03:53
  • Found this obscure notation on a Magento php code, thought that could be two separate `not` operators but was non confident. This answer and some other comments clarified things for me – Yaroslav Oct 22 '12 at 12:38
  • 15
    @Micah Snyder be careful that in JavaScript it's better to use boolean primitives instead of creating objects that box booleans with new Boolean(). Here's an example to see the difference: http://jsfiddle.net/eekbu/ – victorvartan Feb 03 '13 at 12:24
  • 7
    As far as I know, this bang-bang pattern is not useful inside a if(…_ statement; only in a return statement of a function that should return a boolean. – rds Mar 26 '14 at 19:43
  • 2
    This `Boolean(5) === !!5` is not correct: the browers will evaluate to `true` but `Boolean(5)` returns a `Boolean` object, and `!!5` returns a boolean literal. When evaluated browsers will wrap/unwrap the literal with object, but `typeof` will return `'object'` for the first one, and `'boolean'` for the second. – Azder May 28 '14 at 05:57
  • 3
    @Azder: I've tried both `typeof(Boolean(5))` and `typeof(!!5)` in Chrome, Firefox and IE8 (in the console of all the three) and they all return 'boolean' – Pierpaolo Jul 19 '14 at 11:12
  • My bad, I was thinking of `new Boolean(5)` which is not the case here. If anything, this kind of confusion is a good reason not to use the constructor as a function, but double negation (!!) – Azder Jul 24 '14 at 05:36
  • 2
    @Stevo3000 - it's not the wrong way around, just incomplete... 'it converts a non-boolean to a boolean **and inverts it**, then inverts it **again**.' – Gavin Jackson Sep 18 '14 at 12:20
  • All browsers which support `!` support `!!`. Because it is not an operator, it is a pair of operators. – Neurotransmitter Nov 28 '16 at 18:53
  • 3
    @sparkyShorts, if your code uses `===` to compare boolean values, then you must type cast "truthy" values to booleans using `!!`, otherwise your results will be wrong. For example, assuming 0 indicates false and 1 indicates true, then `1 === true` will fail, whereas `!!1 === true` works correctly. – geofflee Mar 02 '17 at 00:33
  • 1
    @sparkyShorts Another example: Consider a property on an object `obj.myString` that could have a string value, but could also be an empty string, null, or undefined. It's much less code (albeit more obscure) to write `if (!!obj.myString) { doSomething() };` than it is to write `if (typeof obj.myString !== 'undefined' && obj.myString !== null && obj.myString !== '') { doSomething() };` – Dale Harris Mar 20 '18 at 17:15
  • @sparkyShorts: `!!1 === true` is redundant. It can always be shortened to simply `!!1`, which is known to result in either `true` or `false`. Its like saying `Boolean(x) === true`: why wouldn't you just say `Boolean(x)`? – ToolmakerSteve Oct 27 '20 at 20:02
900

It's a horribly obscure way to do a type conversion.

! is NOT. So !true is false, and !false is true. !0 is true, and !1 is false.

So you're converting a value to a boolean, then inverting it, then inverting it again.

// Maximum Obscurity:
val.enabled = !!userId;

// Partial Obscurity:
val.enabled = (userId != 0) ? true : false;

// And finally, much easier to understand:
val.enabled = (userId != 0);
Lightness Races in Orbit
  • 358,771
  • 68
  • 593
  • 989
Tom Ritter
  • 94,954
  • 29
  • 130
  • 168
  • 83
    !!false = false. !!true = true – cllpse Sep 10 '09 at 17:38
  • 106
    Is the "much easier to understand" variant really much easier to understand here? The check against 0 is not an actual check against 0, but a check against the somewhat weird list of values Javascript considers equal to 0. `userId ? true : false` makes more clear that there is conversion going on and handles the case where userId's value might have been explicitly set to `undefined` – Ben Regenspan Oct 13 '10 at 16:26
  • 66
    My brain doesn't have any problem decoding `!!var` into `Boolean(var)` .. and `!!` is faster (less instructions to process) and shorter than the alternatives. – adamJLev Oct 24 '10 at 23:36
  • 4
    `!!false` is false. `false != 0` is true. So they're not equivalent. `!!` serves the useful purpose of coercing *anything* to a boolean. – slim Aug 21 '20 at 16:19
  • 6
    I realize you wrote this answer many years ago, but in the interest of refining it for today: The easiest to understand is to **say what you mean**: `Boolean(x)`. I don't consider any of your alternatives easy to understand. Worse, there is at least one case where using equality operator `x != 0` gives a different result than `Boolean(x)` or `!!x`: try `[]` for x. Also, if you do like using equality operator, to get its "truthiness" rules, why wouldn't you do the more obvious `(userId == true)` instead of `(userId != 0)`? – ToolmakerSteve Oct 27 '20 at 20:17
  • @cllpse You mean !!false === false and !!true === true ? ;-) – Maik Lowrey Apr 08 '21 at 20:33
506

!!expr returns a Boolean value (true or false) depending on the truthiness of the expression. It makes more sense when used on non-boolean types. Consider these examples, especially the 3rd example and onward:

          !!false === false
           !!true === true

              !!0 === false
!!parseInt("foo") === false // NaN is falsy
              !!1 === true
             !!-1 === true  // -1 is truthy
          !!(1/0) === true  // Infinity is truthy

             !!"" === false // empty string is falsy
          !!"foo" === true  // non-empty string is truthy
        !!"false" === true  // ...even if it contains a falsy value

     !!window.foo === false // undefined is falsy
           !!null === false // null is falsy

             !!{} === true  // an (empty) object is truthy
             !![] === true  // an (empty) array is truthy; PHP programmers beware!
Salman A
  • 229,425
  • 77
  • 398
  • 489
176

Brew some tea:

!! is not an operator. It is the double-use of ! -- which is the logical "not" operator.


In theory:

! determines the "truth" of what a value is not:

  • The truth is that false is not true (that's why !false results in true)

  • The truth is that true is not false (that's why !true results in false)


!! determines the "truth" of what a value is not not:

  • The truth is that true is not not true (that's why !!true results in true)

  • The truth is that false is not not false (that's why !!false results in false)


What we wish to determine in the comparison is the "truth" about the value of a reference, not the value of the reference itself. There is a use-case where we might want to know the truth about a value, even if we expect the value to be false (or falsey), or if we expect the value not to be typeof boolean.


In practice:

Consider a concise function which detects feature functionality (and in this case, platform compatibility) by way of dynamic typing (aka "duck typing"). We want to write a function that returns true if a user's browser supports the HTML5 <audio> element, but we don't want the function to throw an error if <audio> is undefined; and we don't want to use try ... catch to handle any possible errors (because they're gross); and also we don't want to use a check inside the function that won't consistently reveal the truth about the feature (for example, document.createElement('audio') will still create an element called <audio> even if HTML5 <audio> is not supported).


Here are the three approaches:

// this won't tell us anything about HTML5 `<audio>` as a feature
var foo = function(tag, atr) { return document.createElement(tag)[atr]; }

// this won't return true if the feature is detected (although it works just fine)
var bar = function(tag, atr) { return !document.createElement(tag)[atr]; }

// this is the concise, feature-detecting solution we want
var baz = function(tag, atr) { return !!document.createElement(tag)[atr]; }

foo('audio', 'preload'); // returns "auto"
bar('audio', 'preload'); // returns false
baz('audio', 'preload'); // returns true

Each function accepts an argument for a <tag> and an attribute to look for, but they each return different values based on what the comparisons determine.

But wait, there's more!

Some of you probably noticed that in this specific example, one could simply check for a property using the slightly more performant means of checking if the object in question has a property. There are two ways to do this:

// the native `hasOwnProperty` method
var qux = function(tag, atr) { return document.createElement(tag).hasOwnProperty(atr); }

// the `in` operator
var quux = function(tag, atr) { return atr in document.createElement(tag); }

qux('audio', 'preload');  // returns true
quux('audio', 'preload'); // returns true

We digress...

However rare these situations may be, there may exist a few scenarios where the most concise, most performant, and thus most preferred means of getting true from a non-boolean, possibly undefined value is indeed by using !!. Hopefully this ridiculously clears it up.

Benny
  • 2,727
  • 1
  • 16
  • 14
  • 6
    totally awesome answer, but I fail to see the utility of the !! construct. Since an `if()` statement already casts the expression to boolean, explicitly casting the return value of a testing function to boolean is redundant - since "truthiness" === true as far as an `if()` statement goes anyway. Or am I missing a scenario where you NEED a truthy expression to actually be boolean `true`? – Tom Auger Apr 06 '16 at 13:27
  • 5
    @TomAuger `if()` statements do cast boolean against falsey values, but say you want to actually set a boolean flag on an object - it won't cast it like an `if()` statement does. For example `object.hasTheThing = !!castTheReturnValToBoolNoMatterWhat()` would set either `true` or `false` instead of the real return value. Another example is maybe all admins are `id` of `0` and non-admins are id `1` or higher. To get `true` if someone is not an admin you could do `person.isNotAdmin = !!admin.id`. Few use cases, but it's concise when there is. – Benny May 31 '18 at 15:41
105

!! converts the value to the right of it to its equivalent boolean value. (Think poor man's way of "type-casting"). Its intent is usually to convey to the reader that the code does not care what value is in the variable, but what it's "truth" value is.

Crescent Fresh
  • 107,974
  • 25
  • 151
  • 138
  • 4
    Or in the case of a boolean value on the right, it does nothing. – Daniel A. White Sep 10 '09 at 17:28
  • 3
    @Daniel: `!` still flips the value to the right. In the case of a boolean the right-most `!` negates the value, while the left-most `!` negates it once again. Net effect is that there is no change, but most engines will generate op codes for the double negation. – Crescent Fresh Sep 10 '09 at 17:34
  • But what is the point? If I do `if(0){...` Javascript already knows this is false. Why is it better to say `if(!!0){...`? – CodyBugstein May 06 '16 at 23:37
  • the point is for variables that you might not know its contents; if it could be an integer or a string, an object or null, undefined, etc. This is an easy way to test existence. – mix3d Sep 22 '16 at 12:59
81

!!foo applies the unary not operator twice and is used to cast to boolean type similar to the use of unary plus +foo to cast to number and concatenating an empty string ''+foo to cast to string.

Instead of these hacks, you can also use the constructor functions corresponding to the primitive types (without using new) to explicitly cast values, ie

Boolean(foo) === !!foo
Number(foo)  === +foo
String(foo)  === ''+foo
Christoph
  • 149,808
  • 36
  • 172
  • 230
  • But then you can run into issues with instanceof. new Boolean(1) instanceof Object -> true !!1 instanceof Object -> false – Seamus Oct 07 '10 at 12:53
  • 15
    no, you can't: notice that the constructor functions are called without `new` - as explicitly mentioned in my answer – Christoph Oct 08 '10 at 09:46
  • 2
    fantastic! This is useful for a little hack when you need to evaluate strings with "0" as false instead of true. (i.e. when reading values from selects, because they are read as String). So, if you want to consider "0" as negative (Boolean false), asuming `x="0"` just do: `x=!!+x; //false` which is the same as `Boolean(Number(x))` Number (or +x) converts the string "0" to 0, which DOES evaluate to false, and then Boolean (!!x) casts it to boolean directly. Easy peasy! – DiegoDD Jun 03 '13 at 18:13
  • 2
    @DiegoDD why would you choose `!!+x` vs `x !== "0"`? – placeybordeaux Dec 29 '15 at 23:46
  • @placeybordeaux because for example you may want to convert the value and assign it to other variable, regardless if you are going to compare it to something else or not. – DiegoDD Jan 05 '16 at 18:26
  • This was the answer I was looking for. If ES6 has type casting and it has a `Boolean()` then is this a valid JavaScript statement: `Boolean(foo)==!!foo`? Coming from an ActionScript3 (ES4) background here. – 1.21 gigawatts May 24 '17 at 03:17
72

So many answers doing half the work. Yes, !!X could be read as "the truthiness of X [represented as a boolean]". But !! isn't, practically speaking, so important for figuring out whether a single variable is (or even if many variables are) truthy or falsy. !!myVar === true is the same as just myVar. Comparing !!X to a "real" boolean isn't really useful.

What you gain with !! is the ability to check the truthiness of multiple variables against each other in a repeatable, standardized (and JSLint friendly) fashion.

Simply casting :(

That is...

  • 0 === false is false.
  • !!0 === false is true.

The above's not so useful. if (!0) gives you the same results as if (!!0 === false). I can't think of a good case for casting a variable to boolean and then comparing to a "true" boolean.

See "== and !=" from JSLint's directions (note: Crockford is moving his site around a bit; that link is liable to die at some point) for a little on why:

The == and != operators do type coercion before comparing. This is bad because it causes ' \t\r\n' == 0 to be true. This can mask type errors. JSLint cannot reliably determine if == is being used correctly, so it is best to not use == and != at all and to always use the more reliable === and !== operators instead.

If you only care that a value is truthy or falsy, then use the short form. Instead of
(foo != 0)

just say
(foo)

and instead of
(foo == 0)

say
(!foo)

Note that there are some unintuitive cases where a boolean will be cast to a number (true is cast to 1 and false to 0) when comparing a boolean to a number. In this case, !! might be mentally useful. Though, again, these are cases where you're comparing a non-boolean to a hard-typed boolean, which is, imo, a serious mistake. if (-1) is still the way to go here.

╔═══════════════════════════════════════╦═══════════════════╦═══════════╗
║               Original                ║    Equivalent     ║  Result   ║
╠═══════════════════════════════════════╬═══════════════════╬═══════════╣
║ if (-1 == true) console.log("spam")   ║ if (-1 == 1)      ║ undefined ║
║ if (-1 == false) console.log("spam")  ║ if (-1 == 0)      ║ undefined ║
║   Order doesn't matter...             ║                   ║           ║
║ if (true == -1) console.log("spam")   ║ if (1 == -1)      ║ undefined ║
╠═══════════════════════════════════════╬═══════════════════╬═══════════╣
║ if (!!-1 == true) console.log("spam") ║ if (true == true) ║ spam      ║ better
╠═══════════════════════════════════════╬═══════════════════╬═══════════╣
║ if (-1) console.log("spam")           ║ if (truthy)       ║ spam      ║ still best
╚═══════════════════════════════════════╩═══════════════════╩═══════════╝

And things get even crazier depending on your engine. WScript, for instance, wins the prize.

function test()
{
    return (1 === 1);
}
WScript.echo(test());

Because of some historical Windows jive, that'll output -1 in a message box! Try it in a cmd.exe prompt and see! But WScript.echo(-1 == test()) still gives you 0, or WScript's false. Look away. It's hideous.

Comparing truthiness :)

But what if I have two values I need to check for equal truthi/falsi-ness?

Pretend we have myVar1 = 0; and myVar2 = undefined;.

  • myVar1 === myVar2 is 0 === undefined and is obviously false.
  • !!myVar1 === !!myVar2 is !!0 === !!undefined and is true! Same truthiness! (In this case, both "have a truthiness of falsy".)

So the only place you'd really need to use "boolean-cast variables" would be if you had a situation where you're checking if both variables have the same truthiness, right? That is, use !! if you need to see if two vars are both truthy or both falsy (or not), that is, of equal (or not) truthiness.

I can't think of a great, non-contrived use case for that offhand. Maybe you have "linked" fields in a form?

if (!!customerInput.spouseName !== !!customerInput.spouseAge ) {
    errorObjects.spouse = "Please either enter a valid name AND age " 
        + "for your spouse or leave all spouse fields blank.";
}

So now if you have a truthy for both or a falsy for both spouse name and age, you can continue. Otherwise you've only got one field with a value (or a very early arranged marriage) and need to create an extra error on your errorObjects collection.


EDIT 24 Oct 2017, 6 Feb 19:

3rd party libraries that expect explicit Boolean values

Here's an interesting case... !! might be useful when 3rd party libs expect explicit Boolean values.

For instance, False in JSX (React) has a special meaning that's not triggered on simple falsiness. If you tried returning something like the following in your JSX, expecting an int in messageCount...

{messageCount && <div>You have messages!</div>}

... you might be surprised to see React render a 0 when you have zero messages. You have to explicitly return false for JSX not to render. The above statement returns 0, which JSX happily renders, as it should. It can't tell you didn't have Count: {messageCount && <div>Get your count to zero!</div>} (or something less contrived).

  • One fix involves the bangbang, which coerces 0 into !!0, which is false:
    {!!messageCount && <div>You have messages!</div>}

  • JSX' docs suggest you be more explicit, write self-commenting code, and use a comparison to force to a Boolean.
    {messageCount > 0 && <div>You have messages!</div>}

  • I'm more comfortable handling falsiness myself with a ternary --
    {messageCount ? <div>You have messages!</div> : false}

Same deal in Typescript: If you have a function that returns a boolean (or you're assigning a value to a boolean variable), you [usually] can't return/assign a boolean-y value; it has to be a strongly typed boolean. This means, iff myObject is strongly typed, return !myObject; works for a function returning a boolean, but return myObject; doesn't. You have to return !!myObject to match Typescript's expectations.

The exception for Typescript? If myObject was an any, you're back in JavaScript's Wild West and can return it without !!, even if your return type is a boolean.

Keep in mind that these are JSX & Typescript conventions, not ones inherent to JavaScript.

But if you see strange 0s in your rendered JSX, think loose falsy management.

Emile Bergeron
  • 14,368
  • 4
  • 66
  • 111
ruffin
  • 13,513
  • 8
  • 72
  • 118
  • Good explanation. So would you say the !! is not strictly necessary in this [Worker feature detection](https://developer.mozilla.org/en-US/docs/Web/API/Web_Workers_API/Using_web_workers) example? `if (!!window.Worker)` – jk7 May 06 '15 at 20:41
  • 2
    Nope, you wouldn't need it. Truthiness and `true` "externally" operate exactly the same in an `if`. I keep trying, but I can't think of a reason to prefer casting truthiness to a boolean value outside of the sort of convoluted "compare truthinesses" case, above, except for readability if you reuse the value later, as in the `q` library example. But even then, it's a information-lossy shortcut, and I'd argue you're better off evaluating truthiness each time. – ruffin May 06 '15 at 20:54
58

It's just the logical NOT operator, twice - it's used to convert something to boolean, e.g.:

true === !!10

false === !!0
Greg
  • 295,929
  • 52
  • 357
  • 326
33

It converts the suffix to a Boolean value.

Paul McMillan
  • 18,770
  • 8
  • 52
  • 71
29

It seems that the !! operator results in a double negation.

var foo = "Hello World!";

!foo // Result: false
!!foo // Result: true
Lightness Races in Orbit
  • 358,771
  • 68
  • 593
  • 989
Steve Harrison
  • 103,209
  • 15
  • 83
  • 71
28

It's a double not operation. The first ! converts the value to boolean and inverts its logical value. The second ! inverts the logical value back.

Bill the Lizard
  • 369,957
  • 201
  • 546
  • 842
26

It simulates the behavior of the Boolean() casting function. The first NOT returns a Boolean value no matter what operand it is given. The second NOT negates that Boolean value and so gives the true Boolean value of a variable. The end result is the same as using the Boolean() function on a value.

Prakash
  • 6,282
  • 3
  • 23
  • 33
22

! is "boolean not", which essentially typecasts the value of "enable" to its boolean opposite. The second ! flips this value. So, !!enable means "not not enable," giving you the value of enable as a boolean.

Annika Backstrom
  • 13,337
  • 5
  • 38
  • 52
21

!! it's using NOT operation twice together, ! convert the value to a boolean and reverse it, here is a simple example to see how !! works:

At first, the place you have:

var zero = 0;

Then you do !0, it will be converted to boolean and be evaluated to true, because 0 is falsy, so you get the reversed value and converted to boolean, so it gets evaluated to true.

!zero; //true

but we don't want the reversed boolean version of the value, so we can reverse it again to get our result! That's why we use another !.

Basically, !! make us sure, the value we get is boolean, not falsy, truthy or string etc...

So it's like using Boolean function in javascript, but easy and shorter way to convert a value to boolean:

var zero = 0;
!!zero; //false
Alireza
  • 83,698
  • 19
  • 241
  • 152
20

I think worth mentioning is, that a condition combined with logical AND/OR will not return a boolean value but last success or first fail in case of && and first success or last fail in case of || of condition chain.

res = (1 && 2); // res is 2
res = (true && alert) // res is function alert()
res = ('foo' || alert) // res is 'foo'

In order to cast the condition to a true boolean literal we can use the double negation:

res = !!(1 && 2); // res is true
res = !!(true && alert) // res is true
res = !!('foo' || alert) // res is true
GreQ
  • 911
  • 1
  • 8
  • 5
17

It's not a single operator, it's two. It's equivalent to the following and is a quick way to cast a value to boolean.

val.enabled = !(!enable);
Justin Johnson
  • 29,495
  • 7
  • 60
  • 86
17

The !! construct is a simple way of turning any JavaScript expression into its Boolean equivalent.

For example: !!"he shot me down" === true and !!0 === false.

Sebastian Simon
  • 14,320
  • 6
  • 42
  • 61
Navin Rauniyar
  • 8,475
  • 10
  • 40
  • 66
  • 2
    Very close to the important distinction. **Key is that `0 === false` is false and `!!0 === false` is true.** – ruffin Apr 29 '15 at 17:38
12

This question has been answered quite thoroughly, but I'd like to add an answer that I hope is as simplified as possible, making the meaning of !! as simple to grasp as can be.

Because javascript has what are called "truthy" and "falsey" values, there are expressions that when evaluated in other expressions will result in a true or false condition, even though the value or expression being examined is not actually true or false.

For instance:

if (document.getElementById('myElement')) {
    // code block
}

If that element does in fact exist, the expression will evaluate as true, and the code block will be executed.

However:

if (document.getElementById('myElement') == true) {
    // code block
}

...will NOT result in a true condition, and the code block will not be executed, even if the element does exist.

Why? Because document.getElementById() is a "truthy" expression that will evaluate as true in this if() statement, but it is not an actual boolean value of true.

The double "not" in this case is quite simple. It is simply two nots back to back.

The first one simply "inverts" the truthy or falsey value, resulting in an actual boolean type, and then the second one "inverts" it back again to it's original state, but now in an actual boolean value. That way you have consistency:

if (!!document.getElementById('myElement')) {}

and

if (!!document.getElementById('myElement') == true) {}

will BOTH return true, as expected.

Kirby L. Wallace
  • 490
  • 4
  • 12
12

I suspect this is a leftover from C++ where people override the ! operator but not the bool operator.

So to get a negative(or positive) answer in that case you would first need to use the ! operator to get a boolean, but if you wanted to check the positive case would use !!.

Darren Clark
  • 2,755
  • 17
  • 14
11

The if and while statements and the ? operator use truth values to determine which branch of code to run. For example, zero and NaN numbers and the empty string are false, but other numbers and strings are true. Objects are true, but the undefined value and null are both false.

The double negation operator !! calculates the truth value of a value. It's actually two operators, where !!x means !(!x), and behaves as follows:

  • If x is a false value, !x is true, and !!x is false.
  • If x is a true value, !x is false, and !!x is true.

When used at the top level of a Boolean context (if, while, or ?), the !! operator is behaviorally a no-op. For example, if (x) and if (!!x) mean the same thing.

Practical uses

However it has several practical uses.

One use is to lossily compress an object to its truth value, so that your code isn't holding a reference to a big object and keeping it alive. Assigning !!some_big_object to a variable instead of some_big_object lets go of it for the garbage collector. This is useful for cases that produce either an object or a false value such as null or the undefined value, such as browser feature detection.

Another use, which I mentioned in an answer about C's corresponding !! operator, is with "lint" tools that look for common typos and print diagnostics. For example, in both C and JavaScript, a few common typos for Boolean operations produce other behaviors whose output isn't quite as Boolean:

  • if (a = b) is assignment followed by use of the truth value of b; if (a == b) is an equality comparison.
  • if (a & b) is a bitwise AND; if (a && b) is a logical AND. 2 & 5 is 0 (a false value); 2 && 5 is true.

The !! operator reassures the lint tool that what you wrote is what you meant: do this operation, then take the truth value of the result.

A third use is to produce logical XOR and logical XNOR. In both C and JavaScript, a && b performs a logical AND (true if both sides are true), and a & b performs a bitwise AND. a || b performs a logical OR (true if at least one are true), and a | b performs a bitwise OR. There's a bitwise XOR (exclusive OR) as a ^ b, but there's no built-in operator for logical XOR (true if exactly one side is true). You might, for example, want to allow the user to enter text in exactly one of two fields. What you can do is convert each to a truth value and compare them: !!x !== !!y.

Damian Yerrick
  • 4,294
  • 2
  • 20
  • 56
10

!!x is shorthand for Boolean(x)

The first bang forces the js engine to run Boolean(x) but also has the side effect of inverting the value. So the second bang undoes the side effect.

Greg Gum
  • 25,941
  • 27
  • 127
  • 194
10

Double boolean negation. Often used to check if value is not undefined.

Sergey Ilinsky
  • 29,849
  • 9
  • 51
  • 56
10

It forces all things to boolean.

For example:

console.log(undefined); // -> undefined
console.log(!undefined); // -> true
console.log(!!undefined); // -> false

console.log('abc'); // -> abc
console.log(!'abc'); // -> false
console.log(!!'abc'); // -> true

console.log(0 === false); // -> undefined
console.log(!0 === false); // -> false
console.log(!!0 === false); // -> true
appiconhero.co
  • 9,703
  • 11
  • 65
  • 102
9

Tons of great answers here, but if you've read down this far, this helped me to 'get it'. Open the console on Chrome (etc), and start typing:

!(!(1))
!(!(0))
!(!('truthy')) 
!(!(null))
!(!(''))
!(!(undefined))
!(!(new Object())
!(!({}))
woo = 'hoo'
!(!(woo))
...etc, etc, until the light goes on ;)

Naturally, these are all the same as merely typing !!someThing, but the added parentheses might help make it more understandable.

Warren Davis
  • 313
  • 3
  • 3
9

I just wanted to add that

if(variableThing){
  // do something
}

is the same as

if(!!variableThing){
  // do something
}

But this can be an issue when something is undefined.

// a === undefined, b is an empty object (eg. b.asdf === undefined)
var a, b = {};

// Both of these give error a.foo is not defined etc.
// you'd see the same behavior for !!a.foo and !!b.foo.bar

a.foo 
b.foo.bar

// This works -- these return undefined

a && a.foo
b.foo && b.foo.bar
b && b.foo && b.foo.bar

The trick here is the chain of &&s will return the first falsey value it finds -- and this can be fed to an if statement etc. So if b.foo is undefined, it will return undefined and skip the b.foo.bar statement, and we get no error.

The above return undefined but if you have an empty string, false, null, 0, undefined those values will return and soon as we encounter them in the chain -- [] and {} are both "truthy" and we will continue down the so-called "&& chain" to the next value to the right.

P.S. Another way of doing the same thing is (b || {}).foo, because if b is undefined then b || {} will be {}, and you'll be accessing a value in an empty object (no error) instead of trying to access a value within "undefined" (causes an error). So, (b || {}).foo is the same as b && b.foo and ((b || {}).foo || {}).bar is the same as b && b.foo && b.foo.bar.

Ryan Taylor
  • 9,463
  • 2
  • 34
  • 31
  • good point -- changed my answer. It only happens on an object when it's nested three levels deep, because like you said `({}).anything` will give `undefined` – Ryan Taylor Jan 10 '17 at 17:36
6

After seeing all these great answers, I would like to add another reason for using !!. Currenty I'm working in Angular 2-4 (TypeScript) and I want to return a boolean as false when my user is not authenticated. If he isn't authenticated, the token-string would be null or "". I can do this by using the next block of code:

public isAuthenticated(): boolean {
   return !!this.getToken();
}
Wouter Vanherck
  • 1,432
  • 3
  • 21
  • 36
5

here is a piece of code from angular js

var requestAnimationFrame = $window.requestAnimationFrame ||
                                $window.webkitRequestAnimationFrame ||
                                $window.mozRequestAnimationFrame;

 var rafSupported = !!requestAnimationFrame;

their intention is to set rafSupported to true or false based on the availability of function in requestAnimationFrame

it can be achieved by checking in following way in general:

if(typeof  requestAnimationFrame === 'function')
rafSupported =true;
else
rafSupported =false;

the short way could be using !!

rafSupported = !!requestAnimationFrame ;

so if requestAnimationFrame was assigned a function then !requestAnimationFrame would be false and one more ! of it would be true

if requestAnimationFrame was assinged undefined then !requestAnimationFrame would be true and one more ! of it would be false

5

Use logical not operator two times
it means !true = false and !!true = true

MD Ashik
  • 4,073
  • 1
  • 36
  • 41
Abhay Dixit
  • 922
  • 8
  • 26
5

Returns boolean value of a variable.

Instead, Boolean class can be used.

(please read code descriptions)

var X = "test"; // X value is "test" as a String value
var booleanX = !!X // booleanX is `true` as a Boolean value beacuse non-empty strings evaluates as `true` in boolean
var whatIsXValueInBoolean = Boolean(X) // whatIsXValueInBoolean is `true` again
console.log(Boolean(X) === !!X) // writes `true`

Namely, Boolean(X) = !!X in use.

Please check code snippet out below

let a = 0
console.log("a: ", a) // writes a value in its kind
console.log("!a: ", !a) // writes '0 is NOT true in boolean' value as boolean - So that's true.In boolean 0 means false and 1 means true.
console.log("!!a: ", !!a) // writes 0 value in boolean. 0 means false.
console.log("Boolean(a): ", Boolean(a)) // equals to `!!a`
console.log("\n") // newline

a = 1
console.log("a: ", a)
console.log("!a: ", !a)
console.log("!!a: ", !!a) // writes 1 value in boolean
console.log("\n") // newline

a = ""
console.log("a: ", a)
console.log("!a: ", !a) // writes '"" is NOT true in boolean' value as boolean - So that's true.In boolean empty strings, null and undefined values mean false and if there is a string it means true.
console.log("!!a: ", !!a) // writes "" value in boolean
console.log("\n") // newline

a = "test"
console.log("a: ", a) // writes a value in its kind
console.log("!a: ", !a)
console.log("!!a: ", !!a) // writes "test" value in boolean

console.log("Boolean(a) === !!a: ", Boolean(a) === !!a) // writes true
efkan
  • 11,296
  • 5
  • 64
  • 94
  • 1
    Upvoted.. Was actually gonna answer with this if not here already. Using the Boolean object imo is a better approach from a readability standpoint. For example, there is no "what does Boolean do" SO question with 3k plus upvotes - like this current question. – iPzard Jan 26 '21 at 20:47
5

It is important to remember the evaluations to true and false in JavaScript:

  • Everything with a "Value" is true (namely truthy), for example:

    • 101,
    • 3.1415,
    • -11,
    • "Lucky Brain",
    • new Object()
    • and, of course, true
  • Everything without a "Value" is false (namely falsy), for example:

    • 0,
    • -0,
    • "" (empty string),
    • undefined,
    • null,
    • NaN (not a number)
    • and, of course, false

Applying the "logical not" operator (!) evaluates the operand, converting it to boolean and then negating it. Applying it twice will negate the negation, effectively converting the value to boolean. Not applying the operator will just be a regular assignment of the exact value. Examples:

var value = 23; // number
var valueAsNegatedBoolean = !value; // boolean falsy (because 23 is truthy)
var valueAsBoolean = !!value; // boolean truthy
var copyOfValue = value; // number 23

var value2 = 0;
var value2AsNegatedBoolean = !value2; // boolean truthy (because 0 is falsy)
var value2AsBoolean = !!value2; // boolean falsy
var copyOfValue2 = value2; // number 0
  • value2 = value; assigns the exact object value even if it is not boolean hence value2 won't necessarily end up being boolean.
  • value2 = !!value; assigns a guaranteed boolean as the result of the double negation of the operand value and it is equivalent to the following but much shorter and readable:

if (value) {
  value2 = true;
} else {
  value2 = false;
}
Lucky Brain
  • 1,241
  • 10
  • 13
  • How does this add anything new or useful to the other answers? – Andreas Jan 21 '21 at 17:36
  • None of the other answers clarifies the concepts of how JavaScript evaluates what is **truthy** or **falsy**. Novice JavaScript developers need to know that the "not not" operator is using implicitly the original loose comparison method instead of the exact `===` or `!==` operators and also the hidden cast operation that is happening behind the scenes and I show it in the example I provide. – Lucky Brain Jan 22 '21 at 01:33
4

Some operators in JavaScript perform implicit type conversions, and are sometimes used for type conversion.

The unary ! operator converts its operand to a boolean and negates it.

This fact lead to the following idiom that you can see in your source code:

!!x // Same as Boolean(x). Note double exclamation mark
GibboK
  • 64,078
  • 128
  • 380
  • 620
3

To cast your JavaScript variables to boolean,

var firstname = "test";
//type of firstname is string
var firstNameNotEmpty = !!firstname;
//type of firstNameNotEmpty is boolean

javascript false for "",0,undefined and null

javascript is true for number other then zero,not empty strings,{},[] and new Date() so,

!!("test") /*is true*/
!!("") /*is false*/
Lakmal
  • 569
  • 1
  • 6
  • 13
2
a = 1;
alert(!a) // -> false : a is not not defined
alert(!!a) // -> true : a is not not defined

For !a, it checks whether a is NOT defined, while !!a checks if the variable is defined.

!!a is the same as !(!a). If a is defined, a is true, !a is false, and !!a is true.

2

!! is similar to using the Boolean constructor, or arguably more like the Boolean function.

console.log(Boolean(null)); // Preffered over the Boolean object

console.log(new Boolean(null).valueOf()); // Not recommended for coverting non-boolean values

console.log(!!null); // A hacky way to omit calling the Boolean function, but essentially does the same thing. 


// The context you saw earlier (your example)
var vertical;

function Example(vertical)
{
        this.vertical = vertical !== undefined ? !!vertical : 
        this.vertical; 
        // Let's break it down: If vertical is strictly not undefined, return the boolean value of vertical and set it to this.vertical. If not, don't set a value for this.vertical (just ignore it and set it back to what it was before; in this case, nothing).   

        return this.vertical;
}

console.log( "\n---------------------" )

// vertical is currently undefined

console.log(new Example(vertical).vertical); // The falsey or truthy value of this.vertical
console.log(!!new Example(vertical).vertical); // Coerced value of this.vertical

vertical = 12.5; // set vertical to 12.5, a truthy value.
console.log(new Example(vertical).vertical); // The falsey or truthy value of this.vertical which happens to be true anyway
console.log(!!new Example(vertical).vertical); // Coerced value of this.vertical

vertical = -0; // set vertical to -0, a falsey value.
console.log(new Example(vertical).vertical); // The falsey or truthy value of this.vertical which happens to be false either way
console.log(!!new Example(vertical).vertical); // Coerced value of this.vertical

Falsey values in javascript coerce to false, and truthy values coerce to true. Falsey and truthy values can also be used in if statements and will essentially "map" to their corresponding boolean value. However, you will probably not find yourself having to use proper boolean values often, as they mostly differ in output (return values).

Although this may seem similar to casting, realistically this is likely a mere coincidence and is not 'built' or purposely made for and like a boolean cast. So let's not call it that.


Why and how it works

To be concise, it looks something like this: ! ( !null ). Whereas, null is falsey, so !null would be true. Then !true would be false and it would essentially invert back to what it was before, except this time as a proper boolean value (or even vice versa with truthy values like {} or 1).


Going back to your example

Overall, the context that you saw simply adjusts this.vertical depending on whether or not vertical is defined, and if so; it will be set to the resulting boolean value of vertical, otherwise it will not change. In other words, if vertical is defined; this.vertical will be set to the boolean value of it, otherwise, it will stay the same. I guess that in itself is an example of how you would use !!, and what it does.


Vertical I/O Example

Run this example and fiddle around with the vertical value in the input. See what the result coerces to so that you can fully understand your context's code. In the input, enter any valid javascript value. Remember to include the quotations if you are testing out a string. Don't mind the CSS and HTML code too much, simply run this snippet and play around with it. However, you might want to take a look at the non-DOM-related javascript code though (the use of the Example constructor and the vertical variable).

var vertical = document.getElementById("vertical");
var p = document.getElementById("result");

function Example(vertical)
{
        this.vertical = vertical !== undefined ? !!vertical : 
        this.vertical;   

        return this.vertical;
}

document.getElementById("run").onclick = function()
{

  p.innerHTML = !!( new Example(eval(vertical.value)).vertical );
  
}
input
{
  text-align: center;
  width: 5em;
} 

button 
{
  margin: 15.5px;
  width: 14em;
  height: 3.4em;
  color: blue;
}

var 
{
  color: purple;
}

p {
  margin: 15px;
}

span.comment {
  color: brown;
}
<!--Vertical I/O Example-->
<h4>Vertical Example</h4>
<code id="code"><var class="var">var</var> vertical = <input type="text" id="vertical" maxlength="9" />; <span class="comment">// enter any valid javascript value</span></code>
<br />
<button id="run">Run</button>
<p id="result">...</p>
Mystical
  • 1,805
  • 2
  • 15
  • 31
0

Sometimes it is necessary to check whether we have a value in the function or not, and the amount itself is not important to us, but whether or not it matters. for example we want to check ,if user has major or not and we have a function just like:

hasMajor(){return this.major}//it return "(users major is)Science" 

but the answer is not important to us we just want to check it has a major or not and we need a boolean value(true or false) how we get it:

just like this:

hasMajor(){ return !(!this.major)}

or as the same

hasMajor(){return !!this.major)}

if this.major has a value then !this.major return false but because the value has exits and we need to return true we use ! twice to return the correct answer !(!this.major)

0

const foo = 'bar';
console.log(!!foo); // Boolean: true

! negates (inverts) a value AND always returns/ produces a boolean. So !'bar' would yield false (because 'bar' is truthy => negated + boolean = false). With the additional ! operator, the value is negated again, so false becomes true.

Mile Mijatović
  • 2,120
  • 1
  • 18
  • 32
-4

This is a really handy way to check for undefined, "undefined", null, "null", ""

if (!!var1 && !!var2 && !!var3 && !!var4 ){
   //... some code here
}
rob_james
  • 1,174
  • 1
  • 11
  • 17
  • Why? I still need to know var1 through 4 have values in them. – rob_james Oct 28 '12 at 17:22
  • 8
    Because the `&&` operators already "convert" its operators to boolean. – nalply Oct 29 '12 at 07:31
  • huh - cool! Cheers. For the record, I was trying to indicate that it was good to check a lot of values. Can you imagine doing that without boolean conversion?! Mental! Anyway, that is good to know. Does the same happen with `||` ? – rob_james Oct 29 '12 at 21:25
  • 7
    I have to take back my comment. I was wrong. It's not the `&&` operators, but the `if` statement which "converts". Perhaps a good StackOverflow question? – nalply Oct 30 '12 at 09:16
  • 3
    I think it is the && operator, as if you remove the surrounding if, you still get all the same behavior of the expression, which if is just testing the result of... – aikeru Aug 21 '13 at 21:18
  • For the record, it's definitely the `if` that converts - `&&` returns either the first falsy value or the last value. For instance, with `var a = b && c && d`, `a` will be equal to `b` (the actual value of `b`, not true or false) if `b` is falsy, `c` if `b` is truthy and `c` is falsy, or `d` if both `b` and `c` are truthy (regardless of `d`'s truthiness). – John Montgomery Sep 11 '17 at 18:39