Skip to content Skip to sidebar Skip to footer

Comparing Equality Of Two Numbers Using Javascript Number() Function

When I try to compare two numbers using JavaScript Number() function, it returns false value for equal numbers. However, the grater-than('>') and less-than('<') operations re

Solution 1:

new Number() will return object not Number and you can not compare objects like this. alert({}==={}); will return false too.

Remove new as you do not need to create new instance of Number to compare values.

Try this:

var fn = 20;
var sn = 20;

alert(Number(fn) === Number(sn));

Solution 2:

If you are using floating numbers and if they are computed ones. Below will be a slightly more reliable way.

console.log(Number(0.1 + 0.2) == Number(0.3)); // This will return false.

To reliably/almost reliably do this you can use something like this.

constareTheNumbersAlmostEqual = (num1, num2) => {
    returnMath.abs( num1 - num2 ) < Number.EPSILON;
}
console.log(areTheNumbersAlmostEqual(0.1 + 0.2, 0.3));

Post a Comment for "Comparing Equality Of Two Numbers Using Javascript Number() Function"