This is
fine if you want to sort text strings:
my @sorted = sort qw(Gilligan Skipper Professor Ginger Mary_Ann);
but gets pretty messy when you want to sort numbers:
my @wrongly_sorted = sort 1, 2, 4, 8, 16, 32;
For example, to sort those numbers in their proper order, you can use
a sort block comparing $a and
$b, like so:
my @numerically_sorted = sort {
if ($a < $b) { -1 }
elsif ($a > $b) { +1 }
else { 0 }
} 1, 2, 4, 8, 16, 32;
my @numerically_descending = sort { $b <=> $a } 1, 2, 4, 8, 16, 32;
In every place the previous sort expression returned
-1, this expression returns +1,
and vice versa. Thus, the sort is in the opposite order.
It's also easy to remember because if
$a is to the left of $b, you
get out the lower items first, just like a and
b would be in the resulting list.