Javascript has the following comparison operators:
<
less than<=
less than or equal>
greater than>=
greater than or equalUse these to compare numbers with numbers or strings with strings.
Strings are compared lexicographically:
console.log("Hello" < "Goodbye"); // false
console.log("Hello" < "Hi"); // true
There are no “strict” versions of comparison operations. So, if you mix types, JavaScript will go about converting types!
console.log("42" < 5); // false: "42" is converted to the number 42
console.log("" < 5); // true: "" is converted to the number 0
console.log("Hello" < 5); // false: "Hello" is converted to NaN
console.log([2] < 5); // true: [2] is converted to the number 2
console.log([1, 2] < 5); // false: [1, 2] is converted to "1,2"
console.log(true > 2); // false: true is converted to the number 1
More madness:
console.log(NaN < 1); // false
console.log(NaN > 1); // false
console.log(undefined < 1); // false
console.log(undefined > 1); // false
console.log(null < 1); // true
console.log(null > 1); // false
The logic(!) behind the madness:
NaN
. Comparing with NaN
always returns false.
null
, false
, and empty string convert to 0
. And, true
converts to the number 1
.Avoid mixed-type comparisons!