Python Forum

Full Version: Why is bool(float("nan")) == True?
You're currently viewing a stripped down version of our content. View the full version with proper formatting.
Why is
bool(float("nan")) == True
?
bool(float_value) is True for all float values != 0.0. nan does not equal 0.0
The bool class can be used to type cast a string into a bool. An empty string will return False:

empty_string = ''
bool(empty_string)
A non-empty string returns True:

non_empty_string = 'nan'
bool(non_empty_string)
The bool class can be used to type cast a float into a bool. A float of value 0.0 will return False:

bool(0.0)
Any other float returns True:

bool(0.1)
bool(float('nan'))
And the following is True:

float('nan') != 0.0
The documentation is interesting and also telling some facts about the C99 Standard.

https://docs.python.org/3/library/math.h...n#math.nan

Quote:A floating-point “not a number” (NaN) value. Equivalent to the output of float('nan'). Due to the requirements of the IEEE-754 standard, math.nan and float('nan') are not considered to equal to any other numeric value, including themselves. To check whether a number is a NaN, use the isnan() function to test for NaNs instead of is or ==. Example:

One solution to get a False could be:
import math


result = not math.isnan(float("nan"))
(Dec-30-2023, 06:50 PM)DeaD_EyE Wrote: [ -> ]Due to the requirements of the IEEE-754 standard, math.nan and float('nan') are not considered to equal to any other numeric value, including themselves.
>>> float('nan') == float('nan')
False
>>> 
>>> x = float('nan')
>>> x == x
False
>>> 
That's because you can never tell where a NaN value comes from, and the IEEE-754 format allows several NaN values.