在 Python 中对元组列表进行排序

在 Python 中对元组列表进行排序

Sort a list of tuples in Python

使用函数的key参数对sorted()元组列表进行排序,例如sorted_list = sorted(list_of_tuples, key=lambda t: t[1]). 该函数将按指定索引处的元组元素对元组列表进行排序。

主程序
list_of_tuples = [(1, 100), (2, 50), (3, 75)] # ✅ sort list of tuples by element at index (ascending order) sorted_list = sorted(list_of_tuples, key=lambda t: t[1]) print(sorted_list) # 👉️ [(2, 50), (3, 75), (1, 100)] # ---------------------------------------------------- # ✅ sort list of tuples by element at index in descending order sorted_list_descending = sorted( list_of_tuples, key=lambda t: t[1], reverse=True ) # 👇️ [(1, 100), (3, 75), (2, 50)] print(sorted_list_descending)

sorted函数接受一个可迭代对象,并从可迭代对象中的项目返回一个新的排序列表。

该函数采用可选key参数,可用于按不同标准进行排序。
主程序
list_of_tuples = [(1, 100), (2, 50), (3, 75)] sorted_list = sorted(list_of_tuples, key=lambda t: t[1]) print(sorted_list) # 👉️ [(2, 50), (3, 75), (1, 100)]

key参数可以设置为确定排序标准的函数

该示例按每个元组中的第二项 (index 1) 对元组列表进行排序。

如果您需要按降序(从大到小)对元组列表进行排序,请在函数调用中将reverse参数设置为truesorted()

主程序
list_of_tuples = [(1, 100), (2, 50), (3, 75)] sorted_list_descending = sorted( list_of_tuples, key=lambda t: t[1], reverse=True ) # 👇️ [(1, 100), (3, 75), (2, 50)] print(sorted_list_descending)

您还可以使用此方法按多个索引对元组列表进行排序。

主程序
list_of_tuples = [(1, 3, 100), (2, 3, 50), (3, 2, 75)] # ✅ sort list of tuples by second and third elements sorted_list = sorted( list_of_tuples, key=lambda t: (t[1], t[2]) ) print(sorted_list) # 👉️ [(3, 2, 75), (2, 3, 50), (1, 3, 100)]

该示例按索引处12每个元组中的元素对元组列表进行排序。

由于第三个元组中的第二个项目是最低的,它被移到前面。

第一个和第二个元组中的第二个项目是相等的(都是3),所以第三个项目进行比较并且因为50小于100,它排在第二位。

使用 lambda 函数的替代方法是使用该operator.itemgetter()
方法来指定要作为排序依据的索引。

主程序
from operator import itemgetter list_of_tuples = [(1, 100), (2, 50), (3, 75)] sorted_list = sorted(list_of_tuples, key=itemgetter(1)) print(sorted_list) # 👉️ [(2, 50), (3, 75), (1, 100)]

operator.itemgetter方法返回一个可调用对象,该

对象获取指定索引处的项目。

例如,x = itemgetter(1)然后调用x(my_tuple),返回
my_tuple[1]

您还可以使用此方法按多个索引进行排序。

主程序
from operator import itemgetter list_of_tuples = [(1, 3, 100), (2, 3, 50), (3, 2, 75)] # ✅ sort list of tuples by second and third elements sorted_list = sorted(list_of_tuples, key=itemgetter(1, 2)) print(sorted_list) # 👉️ [(3, 2, 75), (2, 3, 50), (1, 3, 100)]

使用该itemgetter方法比使用 lambda 函数更快,但也更加隐式。

或者,您可以使用该list.sort()方法。

使用该方法的key参数对list.sort()元组列表进行就地排序,例如list_of_tuples.sort(key=lambda t: t[1]). list.sort()方法将按指定索引处的元组元素对元组列表进行排序。

主程序
list_of_tuples = [(1, 100), (2, 50), (3, 75)] list_of_tuples.sort(key=lambda t: t[1]) print(list_of_tuples) # 👉️ [(2, 50), (3, 75), (1, 100)]

list.sort方法对列表进行就地
排序,它只使用
<项目之间的比较。

该方法采用以下 2 个仅限关键字的参数:

姓名 描述
钥匙 带有 1 个参数并用于从每个列表元素中提取比较键的函数
撤销 一个布尔值,指示是否应反转每个比较

sort方法采用的另一个关键字参数是reverse

主程序
list_of_tuples = [(1, 100), (2, 50), (3, 75)] list_of_tuples.sort(key=lambda t: t[1], reverse=True) print(list_of_tuples) # 👉️ [(1, 100), (3, 75), (2, 50)]

请注意,该list.sort方法会就地改变列表并返回None.

sorted()如果您需要一个新的列表实例而不是就地突变,则可以使用该函数。

发表评论