Files
30-seconds-of-code/blog_posts/javascript-value-not-equal-to-itself.md
2022-12-04 22:26:44 +02:00

1.2 KiB

title, shortTitle, type, tags, author, cover, excerpt, firstSeen
title shortTitle type tags author cover excerpt firstSeen
What is the only value not equal to itself in JavaScript? The only value not equal to itself question javascript,type,comparison chalarangelo blog_images/eagle.jpg Did you know there's a JavaScript value that's not equal to itself? 2021-12-12T05:00:00-04:00

NaN (Not-a-Number) is the only JavaScript value not equal to itself when comparing with any of the comparison operators. NaN is often the result of meaningless or invalid math computations, so it doesn't make sense for two NaN values to be considered equal.

const x = Math.sqrt(-1); // NaN
const y = 0 / 0;         // NaN

x === y;                 // false
x === NaN;               // false

Number.isNaN(x);         // true
Number.isNaN(y);         // true

isNaN(x);                // true
isNan('hello');          // true

You can check for NaN values using the Number.isNaN() function. Note that this is different from the original , global isNaN(). Their difference lies in the fact that isNaN() forcefully converts its argument to a number, whereas Number.isNaN() doesn't. This is why Number.isNaN() is considered more robust and preferable in most cases.