12

我有以下元组,其中包含元组:

MY_TUPLE = (
    ('A','Apple'),
    ('C','Carrot'),
    ('B','Banana'),
)

我想根据内部元组中包含的第二个值对这个元组进行排序(即排序 Apple、Carrot、Banana 而不是 A、B、C)。

有什么想法吗?

4

4 回答 4

25
from operator import itemgetter

MY_SORTED_TUPLE = tuple(sorted(MY_TUPLE, key=itemgetter(1)))

或没有itemgetter

MY_SORTED_TUPLE = tuple(sorted(MY_TUPLE, key=lambda item: item[1]))
于 2008-10-21T17:44:08.207 回答
7

排序迷你如何

通常有一个内置函数可以满足您的需求,例如 str.lower()。操作员模块包含许多对此有用的功能。例如,您可以使用 operator.itemgetter() 根据第二个元素对元组进行排序:

>>> import operator 
>>> L = [('c', 2), ('d', 1), ('a', 4), ('b', 3)]
>>> map(operator.itemgetter(0), L)
['c', 'd', 'a', 'b']
>>> map(operator.itemgetter(1), L)
[2, 1, 4, 3]
>>> sorted(L, key=operator.itemgetter(1))
[('d', 1), ('c', 2), ('b', 3), ('a', 4)]

希望这可以帮助。

于 2008-10-21T17:45:56.563 回答
2
sorted(my_tuple, key=lambda tup: tup[1])

换句话说,在比较要排序的元组的两个元素时,根据作为键参数传递的函数的返回值进行排序。

于 2008-10-21T17:45:12.073 回答
-2

我使用此代码实现了同样的目标,但您的建议很棒。谢谢!

templist = [ (line[1], line) for line in MY_TUPLE ] 
templist.sort()
SORTED_MY_TUPLE = [ line[1] for line in templist ]
于 2008-10-21T17:52:01.467 回答