Logo

Programming-Idioms

This language bar is your friend. Select your favorite languages!
  • Perl

Idiom #285 Set variable to NaN

Given two floating point variables a and b, set a to a to a quiet NaN and b to a signalling NaN. Use standard features of the language only, without invoking undefined behavior.

use feature 'say';
# built-in support (use POSIX not needed))
my $a = 'nan';

say $a;
# prints string value: nan

say 0 + $a;
# prints numeric value: NaN

Part 1: built-in support. You can assign 'nan' to a scalar variable and perl will create a dualvar that has 'nan' as it's string value and NaN as it's numeric value. Adding 0 to $a forces numeric context, yielding NaN.
use feature 'say';
use POSIX qw(:nan_payload nan isnan issignaling getpayload);
say isnan($a) ? 'true' : 'false';;
# prints true

say $a == $a ? 'true' : 'false';
# prints false because NaN does not equal NaN

say issignaling($a) ? 'true' : 'false';
# prints false because $a is non-signaling

my $b = nan(999);  # set to signaling NaN by adding a payload

say $b;
# prints NaN

say getpayload($b);
# prints 999

Part 2: Not built-in, but the core POSIX module is included in the perl installation and provides a lot of other functionality for NaN as well as Inf.
#include <limits>
a = std::numeric_limits<float>::quiet_NaN();
b = std::numeric_limits<float>::signaling_NaN();

New implementation...
< >
tkoenig