您的位置:

Python中sort函数参数及用法

一、sort函数简介

sort()是Python内置的一种排序函数,用于排序列表、元组等可迭代对象。该函数具有灵活的参数设置和强大的排序能力,在使用中需要注意其参数的不同含义和使用方法。

二、sort函数的参数

sort函数有多个参数,常用的有以下几种:

1、key参数

key参数用于指定一个函数,该函数将作为排序的依据。排序时,对于可迭代对象中的每个元素,都会将该元素传递给key函数,并按照返回值排序。

# 示例代码1:按元素长度排序
a = ['aa', 'dddd', 'b', 'ccc']
a.sort(key=len)
print(a)
# 输出:['b', 'aa', 'ccc', 'dddd']

在示例代码1中,key参数指定为len函数,表示按照元素的长度排序。

2、reverse参数

reverse参数用于指定排序结果是否为倒序。当该参数设置为True时,排序结果将为倒序;否则为正序(默认值为False)。

# 示例代码2:按字典序倒序排序
a = ['ccc', 'b', 'dddd', 'aa']
a.sort(reverse=True)
print(a)
# 输出:['dddd', 'ccc', 'b', 'aa']

在示例代码2中,reverse参数设置为True,即按字典序倒序排序。

3、cmp参数

Python 2.x版本中,sort函数还有一个cmp参数,用于自定义比较函数(比较两个元素的大小)。在Python 3.x中,该参数被去除。

# 示例代码3:Python 2.x版本使用cmp参数
a = ['ccc', 'b', 'dddd', 'aa']
def cmp_len(x, y):
    return len(x) - len(y)
a.sort(cmp=cmp_len)
print(a)
# 输出:['b', 'aa', 'ccc', 'dddd']

在示例代码3中,cmp参数指定为cmp_len函数,该函数自定义了比较规则,即按照元素长度排序。

三、sort函数的用法

sort函数使用场景广泛,以下列举几个常见的应用场景。

1、列表排序

# 示例代码4:列表排序
a = [3, 1, 4, 1, 5, 9, 2, 6, 5, 3, 5]
a.sort()
print(a)
# 输出:[1, 1, 2, 3, 3, 4, 5, 5, 5, 6, 9]

在示例代码4中,列表a按照从小到大的顺序排序。

2、元组排序

# 示例代码5:元组排序
a = [('ccc', 3), ('b', 2), ('dddd', 4), ('aa', 2)]
a.sort(key=lambda x: x[1])
print(a)
# 输出:[('b', 2), ('aa', 2), ('ccc', 3), ('dddd', 4)]

在示例代码5中,元组a按照第二个元素排序,即数字。

3、自定义对象排序

# 示例代码6:自定义对象排序
class Student:
    def __init__(self, name, score):
        self.name = name
        self.score = score

    def __str__(self):
        return 'Student(name={}, score={})'.format(self.name, self.score)

students = [Student('tom', 87), Student('jerry', 92), Student('bob', 78)]
students.sort(key=lambda x: x.score, reverse=True)
for stu in students:
    print(stu)
# 输出:
# Student(name=jerry, score=92)
# Student(name=tom, score=87)
# Student(name=bob, score=78)

在示例代码6中,自定义了一个Student类,该类存储了学生的姓名和成绩。将三个学生对象放入列表中,通过sort函数按照成绩排序,最终输出学生信息。

四、小结

sort函数是Python中常用的一种排序函数,具有强大的排序能力,而且可以灵活地设置参数,满足不同的排序需求。在使用时,要注意参数的不同含义和使用方法,以避免出现意料之外的排序结果。