I have a list of integers, for example:
my_list = [5, 2, 4, 9]
I want a list containing the position where each element would appear in the list if it were sorted. So in the example above, I want this result:
>>> sorted(my_list)
[2, 4, 5, 9]
>>> magnitude(my_list)
[2, 0, 1, 3]
... because after sorting:
5
ends up in position2
2
ends up in position0
4
ends up in position1
9
ends up in position3
How can I do that?
We can get half way to the solution by sorting an enumeration of the sequence – for example:
As you can see, each pair in the resulting list has the form
(original_position, sorted_item)
... so that for example,5
was originally in position0
.We can write a function that just returns those original positions:
Let's make sure that it works:
The clever bit is that now we run the same function again on its own result:
To understand what's happening here, lets go back and see what
order()
is actually doing:Again, each pair has the form
(original_position, sorted_item)
, so we're effectively sorting the positions back into their original order and seeing where they end up.All we need to do now is wrap that double use of
order()
in its own function, and we're done:... and here it is in action: