Skip to main content
Practice

Sorting List Elements with the sort() Function

In Python, the sort() function sorts the elements of a list based on a specified criterion.

The sort() function sorts the list elements in place and does not create a new list.


How to Use the sort() Function

By default, the sort() function sorts the elements of a list in ascending order.

To sort in descending order, use sort(reverse=True).

Example of sort() Function
numbers = [3, 1, 4, 1, 5, 9, 2]
# Ascending order
numbers.sort()
# [1, 1, 2, 3, 4, 5, 9]
print("sorted:", numbers)

# Descending order
numbers.sort(reverse=True)
# [9, 5, 4, 3, 2, 1, 1]
print("reverse=True:", numbers)

Specifying a Sorting Criterion with the key Parameter

You can specify a sorting criterion using the key parameter.

For example, if you want to sort elements by the length of the strings, pass key=len to the sort() function as shown below.

Custom Sorting: Sort by String Length
words = ['banana', 'pie', 'Washington', 'apple']

# Sort by string length
words.sort(key=len)

# Output: ['pie', 'apple', 'banana', 'Washington']
print(words)

Want to learn more?

Join CodeFriends Plus membership or enroll in a course to start your journey.