data:image/s3,"s3://crabby-images/8dc27/8dc27f4d3d83168cf820f98a39b437e65bb48b34" alt=""
Reversing and Sorting Lists
Reversing and Sorting Lists 관련
data:image/s3,"s3://crabby-images/c8a48/c8a48d4765e390b9fd456a88f0cb13be8aa527cb" alt=""
data:image/s3,"s3://crabby-images/c8a48/c8a48d4765e390b9fd456a88f0cb13be8aa527cb" alt=""
Reversing and specially sorting lists of values are commonplace tasks in programming. In Python, you’ll have the built-in reversed()
and sorted()
functions to perform these tasks. When you’re working with lists, then you also have the .reverse()
and .sort()
methods, which reverse and sort the target list in place.
In the following sections, you’ll learn how to reverse and sort lists using the tools that Python provides for these tasks.
Reversing a List: reversed()
and .reverse()
The built-in reversed()
function takes a sequence as an argument and returns an iterator that yields the values of that sequence in reverse order:
digits = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
reversed(digits)
#
# <list_reverseiterator object at 0x10b261a50>
list(reversed(digits))
#
# [9, 8, 7, 6, 5, 4, 3, 2, 1, 0]
digits
#
# [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
When you call reversed()
with a list as an argument, you get a reverse iterator object. This iterator yields values from the input list in reverse order. In this example, you use the list()
constructor to consume the iterator and get the reversed data as a list.
Note
To dive deeper into reversing lists in Python, check out Reverse Python Lists: Beyond .reverse()
and reversed()
.
The reversed()
function doesn’t modify the input object. You’ll typically use reversed()
in loops as a way to iterate over your data in reverse order. If you need to keep a reference to your data, then you can use list()
and assign its return value to a new variable, which will be completely independent of your original sequence.
It’s important to note that reversed()
retrieves items from the input sequence lazily. This means that if something changes in the input sequence during the reversing process, then those changes will reflect in the final result:
numbers = [1, 2, 3]
reversed_numbers = reversed(numbers)
next(reversed_numbers)
#
# 3
numbers[1] = 222
next(reversed_numbers)
#
# 222
next(reversed_numbers)
#
# 1
In this example, you use the built-in next()
function to consume the iterator value by value. The first call to next()
returns the last item from numbers
. Then you update the value of the second item from 2
to 222
. When you call next()
again, you get 222
instead of 2
. This is because reversed()
doesn’t create a copy of the input iterable. Instead, it works with a reference to it.
The reversed()
function is great when you want to iterate over a list in reverse order without altering the original list. What if you have a list, and for some reason, you need to reverse its content persistently? In that case, you can use the .reverse()
method:
digits = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
digits.reverse()
digits
#
# [9, 8, 7, 6, 5, 4, 3, 2, 1, 0]
The .reverse()
method reverses a list in place. This means that if you call .reverse()
on an existing list, then the changes will reflect in the underlying list.
Keep in mind that while reversed()
returns an iterator, the .reverse()
method returns None
. This behavior may be the source of subtle errors when you’re starting to use lists. Consider the following code:
digits = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
reversed_digits = digits.reverse()
reversed_digits is None
#
# True
In this example, reversed_digits
doesn’t get a list of reversed digits. Instead, it gets None
because .reverse()
mutates the underlying list in place and has no fruitful return value.
Finally, slicing is another technique that you can use to get a reversed copy of an existing list. To do this, you can use the following slicing operation:
digits = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
digits[::-1] [9, 8, 7, 6, 5, 4, 3, 2, 1, 0]
The [::-1]
variation of the slicing operator does the magic in this code. With this operator, you create a reversed copy of the original list. But how does it work? The third index, step
, is typically a positive number, which is why a normal slicing operation extracts the items from left to right.
By setting step
to a negative number, such as -1
, you tell the slicing operator to extract the items from right to left. That’s why you get a reversed copy of digits
in the example above.
Sorting a List: sorted()
and .sort()
When you need to sort a list of values without altering the original list, you can use the built-in sorted()
function. This function takes an iterable of values and returns a list of sorted values:
numbers = [2, 9, 5, 1, 6]
sorted(numbers)
#
# [1, 2, 5, 6, 9]
numbers
#
# [2, 9, 5, 1, 6]
When you pass a list to sorted()
, you get a list of sorted values as a result. The function doesn’t alter the original data in your list.
Note
It’s important to note that sorted()
returns a list rather than an iterator. This behavior differs from reversed()
, which returns an iterator instead of a list.
As you can see in the above example, Python sorts numbers according to their specific values. When it comes to sorting strings, things can be a bit confusing. Consider the following example:
words = ["Hello,", "World!", "I", "am", "a", "Pythonista!"]
sorted(words)
#
# ['Hello,', 'I', 'Pythonista!', 'World!', 'a', 'am']
What? The sorted list isn’t in alphabetical order. Why? Python sorts strings character by character using each character’s Unicode code point. Because uppercase letters come before lowercase letters in Python’s default character set, UTF-8, you end up with "Hello"
in the first position and "am"
in the last.
Note
To dive deeper into sorting tools, check out How to Use sorted()
and .sort()
in Python.
You can use the built-in ord()
function to get the Unicode code point of a character in Python:
ord("H")
#
# s72
ord("a")
#
# s97
As you can confirm in this code snippet, the uppercase "H"
comes before the lowercase "a"
in the Unicode table. That’s why you get "Hello"
before "am"
in the above example.
By default, the sorted()
function sorts the items of a list in ascending order. If you need to sort the items in descending order, then you can use the reverse
keyword-only argument. This argument defaults to False
. If you set it to True
, then you get the data in descending order:
numbers = [2, 9, 5, 1, 6]
sorted(numbers, reverse=True)
#
# [9, 6, 5, 2, 1]
By setting the reverse
argument to True
, you tell sorted()
to sort the input iterable in reverse order. Isn’t that neat?
Note
As you already learned, lists can store objects of different types. However, heterogeneous lists often don’t allow you to sort their content:
numbers = [2, "9", 5, "1", 6]
sorted(numbers)
#
# Traceback (most recent call last):
# File "<stdin>", line 1, in <module>
# TypeError: '<' not supported between instances of 'str' and 'int'
In practice, you won’t find heterogeneous lists in many use cases. Sequences of heterogeneous objects are like a database record with a few known and immutable fields. In those cases, using a tuple is a better way to go.
To illustrate how sorted()
can help you in the real world, say that you want to calculate the median of a numeric dataset or sample. The median is the value that lies in the middle when you sort the data. In most cases, your data won’t be sorted, so sorting will be the first step. Then you just need to locate the value in the middle.
If the number of values in your dataset is even, then the median is the average of the two values in the middle. Here’s a Python function that allows you to compute the median of a sample of values:
def median(samples):
n = len(samples)
middle_index = n // 2
sorted_samples = sorted(samples) ... # Odd number of values
if n % 2:
return sorted_samples[middle_index]
# Even number of values
lower, upper = middle_index - 1, middle_index + 1
return sum(sorted_samples[lower:upper]) / 2
median([3, 5, 1, 4, 2])
#
# 3
median([3, 5, 1, 4, 2, 6])
#
# 3.5
Inside median()
, you use sorted()
to sort the samples in ascending order. Then you check if your list has an odd number of data points, in which case, you return the item in the middle directly. If the list has an even number of samples, then you compute the index of the two items in the middle, calculate their average, and return the resulting value.
The sorted()
function also accepts another keyword-only argument called key
. This argument allows you to specify a one-argument function that will extract a comparison key from each list item.
As an example of how to use key
, say that you have a list of tuples where each tuple holds an employee’s data, including the employee’s name, age, position, and salary. Now imagine that you want to sort the employees by their age.
In that situation, you can do something like the following:
employees = [
("John", 30, "Designer", 75000),
("Jane", 28, "Engineer", 60000),
("Bob", 35, "Analyst", 50000),
("Mary", 25, "Service", 40000),
("Tom", 40, "Director", 90000)
]
sorted(employees, key=lambda employee: employee[1])
#
# [
# ('Mary', 25, 'Service', 40000),
# ('Jane', 28, 'Engineer', 60000),
# ('John', 30, 'Designer', 75000),
# ('Bob', 35, 'Analyst', 50000),
# ('Tom', 40, 'Director', 90000)
# ]
In this example, you pass a lambda
function to the key
argument. This lambda
takes an employee tuple as an argument and returns the age value, which lives at index 1
. Then sorted()
uses this value to sort the tuples.
The key
argument is quite useful in practice because it allows you to fine-tune the sorting process by changing the sorting criteria according to your specific needs.
If you need to sort a list in place instead of getting a new list of sorted data, then you can use the .sort()
method. This method is similar to the sorted()
function:
numbers = [2, 9, 5, 1, 6]
numbers.sort()
numbers
#
# [1, 2, 5, 6, 9]
The main difference between sorted()
and .sort()
is that the former returns a new list of sorted data, while the latter sorts the target list in place. Also, because .sort()
is a method, you need to call it on a list object.
Like most list
methods that run mutations, .sort()
returns None
. For example, in the code below, you run into a common mistake that can occur when working with lists:
numbers = [2, 9, 5, 1, 6]
sorted_numbers = numbers.sort()
sorted_numbers is None
#
# True
The .sort()
method sorts the list in place and returns None
to remind users that it operates by side effect. You must keep this behavior in mind because it can lead to subtle bugs.
You can also use the reverse
and key
keyword-only arguments with .sort()
. They have the same meaning and functionality as the equivalent arguments in the sorted()
function. Go ahead and give them a try!