Python 列表 sort() 方法

实例

以字母顺序对列表进行排序:

  1. cars = ['Porsche', 'BMW', 'Volvo']
  2. cars.sort()
  3. print(cars)

定义和用法

默认情况下,sort() 方法对列表进行升序排序。

您还可以让函数来决定排序标准。


语法

  1. list.sort(reverse=True|False, key=myFunc)
参数值
参数描述
reverse可选。reverse=True 将对列表进行降序排序。默认是 reverse=False。
key可选。指定排序标准的函数。

更多实例

实例 1

对列表进行降序排序:

  1. cars = ['Porsche', 'BMW', 'Volvo']
  2. cars.sort(reverse=True)
  3. print(cars)
实例 2

按照值的长度对列表进行排序:

  1. # A function that returns the length of the value:
  2. def myFunc(e):
  3. return len(e)
  4. cars = ['Porsche', 'Audi', 'BMW', 'VW']
  5. cars.sort(key=myFunc)
  6. print(cars)
实例 3

根据字典的 "year" 值对字典列表进行排序:

  1. def myFunc(e):
  2. return e['year']
  3. cars = [
  4. {'car': 'Porsche', 'year': 2005},
  5. {'car': 'Audi', 'year': 2000},
  6. {'car': 'BMW', 'year': 2019},
  7. {'car': 'VW', 'year': 2011}
  8. ]
  9. cars.sort(key=myFunc)
  10. print(cars)
实例 4

按照值的长度对列表进行降序排序:

  1. # A function that returns the length of the value:
  2. def myFunc(e):
  3. return len(e)
  4. cars = ['Porsche', 'Audi', 'BMW', 'VW']
  5. cars.sort(reverse=True, key=myFunc)
  6. print(cars)

分类导航