How to Print in Reverse in Python

Reading Time: < 1 Minute
Publication date:

In Python programming, there are often situations where it is necessary to traverse a list in reverse order. For example, if there is a list of numbers from 1 to 5, and it is necessary to print these numbers in reverse order.

numbers = [1, 2, 3, 4, 5]

One way to implement reverse iteration is to use the built-in reversed() function. This function returns a reverse iterator for the given sequence.

for i in reversed(numbers):
    print(i)

As a result of executing these lines of code, the numbers 5, 4, 3, 2, 1 will be output to the screen.

If it is necessary to obtain a reversed list instead, you can use slicing. In Python, slicing is a way to obtain a subset of the original sequence. It is also possible to obtain a reversed list using slicing.

reversed_numbers = numbers[::-1]
print(reversed_numbers)

Here, [::-1] is a slice that starts from the last element and goes to the first element. The output of this code will be [5, 4, 3, 2, 1].

However, it is important to remember that using reversed() is more efficient if only iteration is needed, as the reversed() function does not create a new list.

Additionally, reverse iteration can be implemented with an iteration loop using the range() function. In this case, the parameters of the range() function are the length of the list, 0, and -1 as the step.

for i in range(len(numbers)-1, -1, -1):
    print(numbers[i])

In this case, the numbers 5, 4, 3, 2, 1 will also be output to the screen.

In conclusion, there are several ways to iterate through a list in reverse in Python, and the choice of method depends on the specific task.

5 / 5. 1

Share:

Leave a comment