The Ternary Conditional Operator

Learn about the ternary conditional operator in Perl.

Evaluation of conditional expression

The ternary conditional operator evaluates a conditional expression and evaluates to one of two alternatives:

Press + to interact
my $time_suffix_1 = afternoon(localtime)
? 'afternoon'
: 'morning';
# equivalent to
my $time_suffix_2;
if (afternoon(localtime)) {
$time_suffix_2 = 'afternoon';
}
else {
$time_suffix_2 = 'morning';
}
# testing code
# both expressions are equivalent
say "It is $time_suffix_1 time" if $time_suffix_1 eq $time_suffix_2;
# checks if it's afternoon
sub afternoon {
my $hour = $_[2];
return 1 if $hour > 12 && $hour < 17;
}

Syntax

The conditional expression precedes the question mark character (?). The colon character (:) separates the alternatives. The ...