davido, in my sample code, I'm trying to reverse the sort. I think I have your example but it only does the sort.
: my @SortedArray = reverse sort @PassedArray;.
in my sample code
my @SortedArray = sort reverse @PassedArray;
choroba, I tried your syntax in my code, but I still get only a sort - not a reverse sort. I'm sure this is part of my overall difficulties with arrays in subroutines, but I'm stymied. Here's what I tried:
my @SortedArray = sort ( reverse ( @PassedArray ) );
| [reply] [d/l] [select] |
I was probably not explicit enough. Let's take an example:
1 3 2
If we first reverse it, we get
2 3 1
and then we sort it to get
1 2 3
On the other hand, if we sort it first, we get
1 2 3
and we can then reverse it to
3 2 1
Functions are not called left to right, but from the innermost to the outermost, i.e. rather right to left.
| [reply] [d/l] [select] |
choroba, I tried your syntax in my code, but I still get only a sort - not a reverse sort. I'm sure this is part of my overall difficulties with arrays in subroutines, but I'm stymied. Here's what I tried:
my @SortedArray = sort ( reverse ( @PassedArray ) );
You misunderstood Choroba's point.
Choroba was telling you that your syntax (sort reverse ...) is equivalent to sort (reverse (...)), and that, when you do that, you are first reversing the order of the array and then sorting it (so that, in fact, first reversing is is totally useless).
What you want to do is the other way around: you want to sort the array and then reverse the order of the array thus sorted, which should be done, as others have already pointed with the following syntax:
my @sorted_array = reverse sort @unsorted_array;
which is first sorting the array and then reversing the order of the elements (think of the data as moving right to left, from @unsorted_array, through sort, then through reverse, into @sorted_array).
EDIT: Choroba answered while I was typing. I guess it is clear by now.
| [reply] [d/l] [select] |