I have two unsorted lists, x and y, as follows:
JavaScript
x
3
1
x = ["a", "b", "c", "d", "e"]
2
y = [ 5, 1, 4, 2, 3]
3
I would like to sort list y two times, one in ascending order and then in descending order. But, in each sorting of y, I need to sort also the corresponding elements of the list x accordingly. Both lists have the same length of items.
I tried with the following code, but it is not working as expected:
JavaScript
1
10
10
1
def sort_list(list1, list2):
2
3
zipped_pairs = zip(list2, list1)
4
5
z = [x for _, x in sorted(zipped_pairs)]
6
7
return z
8
9
print(sort_list(x, y))
10
Expected output: in case of ascending order
JavaScript
1
3
1
x = [ "b", "d","e", "c", "a"]
2
y = [ 1, 2, 3, 4, 5]
3
Any help?
Advertisement
Answer
Just zip y
and x
– in this order, so that you can sort the resulting tuples in natural order, by their first item.
You can then sort, and zip again:
JavaScript
1
8
1
x = ["a", "b", "c", "d", "e"]
2
y = [ 5, 1, 4, 2, 3]
3
4
sorted_y, sorted_x = zip(*sorted(zip(y, x)))
5
6
print(sorted_x, sorted_y)
7
#('b', 'd', 'e', 'c', 'a') (1, 2, 3, 4, 5)
8
In reverse order:
JavaScript
1
4
1
sorted_y, sorted_x = zip(*sorted(zip(y, x), reverse=True))
2
print(sorted_x, sorted_y)
3
# ('a', 'c', 'e', 'd', 'b') (5, 4, 3, 2, 1)
4