Table of Contents
In this example, you will learn to reverse a number.
To understand this example, you should have the knowledge of the following Python programming topics:
1. Example 1: Reverse a Number using a while loop
num = 1234 reversed_num = 0 while num != 0: digit = num % 10 reversed_num = reversed_num * 10 + digit num //= 10 print("Reversed Number: " + str(reversed_num))
Output
4321
In this program, while loop is used to reverse a number as given in the following steps:
- First, the remainder of the
num
divided by 10 is stored in the variabledigit
. Now, thedigit
contains the last digit ofnum
, i.e. 4.digit
is then added to the variable reversed after multiplying it by 10. Multiplication by 10 adds a new place in the reversed number. One-th place multiplied by 10 gives you tenth place, tenth gives you hundredth, and so on. In this case,reversed_num
contains0 * 10 + 4 = 4
.num
is then divided by 10 so that now it only contains the first three digits: 123. - After second iteration,
digit
equals 3, reversed equals4 * 10 + 3 = 43
andnum = 12
. - After third iteration,
digit
equals 2, reversed equals43 * 10 + 2 = 432
andnum = 1
. - After fourth iteration,
digit
equals 1, reversed equals432 * 10 + 1 = 4321
andnum = 0
. - Now
num = 0
, so the test expressionnum != 0
fails and while loop exits. reversed already contains the reversed number 4321.
2. Example 2: Using String slicing
num = 123456 print(str(num)[::-1])
Output
654321
Using the string slicing concept, you can get reverse the string. ::-1
corresponds to start:stop:step
. When you pass -1 as step
, the start
point goes to the end and stop
at the front.
Related posts:
Python Program to Represent enum
Python Deep Learning Cookbook - Indra den Bakker
Python String rfind()
Python Program to Sort a Dictionary by Value
Python Dictionary copy()
Python time Module
Python Iterators
Python Program to Check If Two Strings are Anagram
Python Program to Create a Countdown Timer
Python String rsplit()
Python String isidentifier()
Python Program to Display Fibonacci Sequence Using Recursion
Learning scikit-learn Machine Learning in Python - Raul Garreta & Guillermo Moncecchi
Python List insert()
Python String capitalize()
Python Set discard()
Python Dictionary setdefault()
Python Program to Convert Celsius To Fahrenheit
Python List reverse()
Python frozenset()
Python Exception Handling Using try, except and finally statement
Python callable()
Python String lstrip()
Python Program to Convert Kilometers to Miles
Python Program to Check if a Number is Positive, Negative or 0
Python Program to Check if a Number is Odd or Even
Python Program to Iterate Through Two Lists in Parallel
Python Program to Get File Creation and Modification Date
Python Function Arguments
Python @property decorator
Python *args and **kwargs
Python Dictionary popitem()