I was stumbling around trying different conditions, when I discovered ==-
, or ==+
.
In a JS console, you can write:
var a = " ";
then the following is true
a == " ";
but this is false
a == " ";
However, it will be true if you say:
a ==- " ";
or
a ==+ " ";
So what is this nifty ==-
operator?
I was stumbling around trying different conditions, when I discovered ==-
, or ==+
.
In a JS console, you can write:
var a = " ";
then the following is true
a == " ";
but this is false
a == " ";
However, it will be true if you say:
a ==- " ";
or
a ==+ " ";
So what is this nifty ==-
operator?
- 2 Related: stackoverflow./questions/1642028/… – Waleed Khan Commented Sep 15, 2012 at 22:23
3 Answers
Reset to default 10They're not distinct operators.
Writing:
a ==- " ";
gets parsed as:
(a) == (-" ");
The same goes for ==+
.
The expression evaluates to true
because of Javascript's weird type conversion rules. Something like the following occurs:
- the unary
-
(or+
) operators converts its operand to a number. If it's a blank string, the result of this conversion is0
. a == (-" ")
is then equivalent to" " == 0
. If types pared with==
are different, one (possibly both), get converted to get a mon type. In this case, the" "
on the left-hand side gets converted to0
too.- You end up paring
0
to0
, which yieldstrue
.
(The above is a rough example of how Javascript might e to this result, the actual rules are buried in the ECMAScript specification. You can use the ===
operator instead to prevent the conversions and get false
if the types of the pared objects are different.)
It's simply a ==
followed by a -
(or +
).
(In the following I write "<four spaces>"
to mean the string consisting of four spaces.)
That is, if you do " " ==- "<four spaces>"
, you pare " "
to -"<four spaces>"
. -"<four spaces>"
evaluates to 0
, since applying the minus converts to integer. Thus, you actually do " " == 0
, which is true, since it converts the " "
to an integer for the parison.
" " == "<four spaces>"
is false, however, as you're paring two different strings.
That is NOT an operator. You get those results because -
and +
is casting the string to a number, in this case, an empty string casts to the number 0
which is then interpreted as false
, plus the equals operator ==
will cause some trouble with parison and casting, that's why it's remended to always use the ===
operator and you'll get the results you're after:
console.log(a === ' '); // true
console.log(a === ' '); // false
console.log(a === -' '); // false
console.log(a === +' '); // false