# Python CodeRecipe|sort()の使い方
❮ Home❮ List Methods
# sort()の例1
Sort the list alphabetically:
cars = ['Ford', 'BMW', 'Volvo']
cars.sort()
# sort()の定義及び使い方
sort()関数はリストを昇順にソートします。 デフォルトでは、。 また、並べ替え条件を決定する関数を作成することもできます。
# sort()の構文
list.sort(reverse=True|False, key=myFunc)
# sort()の引数
パラメータ 説明
reverse オプション. reverse=True will sort the list descending. Default is reverse=False
key オプション. A function to specify the sorting criteria(s)
# Example
Sort the list descending:
cars = ['Ford', 'BMW', 'Volvo']
cars.sort(reverse=True)
# Example
Sort the list by the length of the values:
# A function that returns the length of the value:def myFunc(e): return len(e)
cars = ['Ford', 'Mitsubishi', 'BMW', 'VW']
cars.sort(key=myFunc)
# Example
Sort a list of dictionaries based on the "year" value of the dictionaries:
# A function that returns the 'year' value:def myFunc(e):
return e['year']cars = [ {'car': 'Ford', 'year': 2005},
{'car': 'Mitsubishi', 'year': 2000}, {'car': 'BMW', 'year': 2019},
{'car': 'VW', 'year': 2011}]cars.sort(key=myFunc)
# Example
Sort the list by the length of the values and reversed:
# A function that returns the length of the value:def myFunc(e): return len(e)
cars = ['Ford', 'Mitsubishi', 'BMW', 'VW']
cars.sort(reverse=True, key=myFunc)
❮ Home❮ List Methods