Logo

Programming-Idioms

  • Python
  • Smalltalk
  • C#
  • D

Idiom #270 Test for quiet or signaling NaN

Given a floating point number r1 classify it as follows:
If it is a signaling NaN, print "This is a signaling NaN."
If it is a quiet NaN, print "This s a quiet NaN."
If it is not a NaN, print "This is a number."

import math
if math.isnan(r1):
    print('This is a quiet NaN.')
else:
    print('This is a number.')

Python makes no effort to distinguish signaling NaNs from quiet NaNs, and behavior for signaling NaNs remains unspecified. Typical behavior is to treat all NaNs as though they were quiet.
from decimal import Decimal
d = Decimal(r1)
if d.is_snan(): print('This is a signaling NaN.')
if d.is_qnan(): print('This s a quiet NaN.')
if not d.is_nan(): print('This is a number.')
if (r1.isNaN) {
  print("This is a quiet NaN.");
} else {
  print("This is a number.");
}

Dart has no concept of signaling NaN. NaN are all quiet AFAIK.

New implementation...
< >
tkoenig