list集合排序
时间: 2023-07-21 10:10:36 浏览: 107
可以使用Python中的`sorted()`函数对列表进行排序,也可以使用列表自带的`sort()`方法。
例如,对一个包含整数的列表进行从小到大排序:
``` python
my_list = [3, 1, 4, 1, 5, 9, 2, 6, 5, 3, 5]
# 使用sorted()函数进行排序
sorted_list = sorted(my_list)
print(sorted_list)
# 使用sort()方法进行排序
my_list.sort()
print(my_list)
```
输出:
```
[1, 1, 2, 3, 3, 4, 5, 5, 5, 6, 9]
[1, 1, 2, 3, 3, 4, 5, 5, 5, 6, 9]
```
如果要进行从大到小的排序,可以使用`reverse=True`参数:
``` python
my_list = [3, 1, 4, 1, 5, 9, 2, 6, 5, 3, 5]
# 使用sorted()函数进行排序
sorted_list = sorted(my_list, reverse=True)
print(sorted_list)
# 使用sort()方法进行排序
my_list.sort(reverse=True)
print(my_list)
```
输出:
```
[9, 6, 5, 5, 5, 4, 3, 3, 2, 1, 1]
[9, 6, 5, 5, 5, 4, 3, 3, 2, 1, 1]
```
阅读全文