阅读量:1
在Python中,sorted()
函数用于对可迭代对象进行排序操作,并返回一个新的已排序的列表。它的基本语法如下:
sorted(iterable, key=None, reverse=False)
其中,iterable
是要排序的可迭代对象,例如列表、元组、字符串等。key
是一个可选的参数,用于指定一个函数,该函数将应用于每个元素以生成排序的依据。reverse
也是一个可选的参数,用于指定是否要以反向顺序进行排序。
下面是一些常见的使用示例:
- 对列表进行排序:
numbers = [5, 2, 8, 4, 1] sorted_numbers = sorted(numbers) print(sorted_numbers) # 输出:[1, 2, 4, 5, 8]
- 对字符串进行排序:
string = "python" sorted_string = sorted(string) print(sorted_string) # 输出:['h', 'n', 'o', 'p', 't', 'y']
- 按照某个条件对列表进行排序:
students = [ {"name": "Alice", "age": 20}, {"name": "Bob", "age": 18}, {"name": "Charlie", "age": 22} ] sorted_students = sorted(students, key=lambda student: student["age"]) print(sorted_students) # 输出:[{'name': 'Bob', 'age': 18}, {'name': 'Alice', 'age': 20}, {'name': 'Charlie', 'age': 22}]
在上述示例中,我们使用了lambda
表达式作为key
参数,按照学生的年龄对学生列表进行排序。
- 以反向顺序对列表进行排序:
numbers = [5, 2, 8, 4, 1] sorted_numbers = sorted(numbers, reverse=True) print(sorted_numbers) # 输出:[8, 5, 4, 2, 1]
以上是sorted()
函数的一些基本用法,你可以根据具体的需求来灵活使用。