Instagram
youtube
Facebook
Twitter

Check Palindrome Number Using Iteration in Python

A Python program to check if a number is a palindrome using an iterative method.

Here’s the explanation of the code in points:

  • Function Definition: The function is_palindrome(num) takes an integer input num.
     
  • String Conversion: The number is first converted into a string using str(num) to facilitate easy manipulation.
     
  • Initialization of Reversed String: An empty string reversed_num is initialized to store the reversed number.
     
  • Reversing the String: A for loop with a step of -1 iterates through the string in reverse order, appending each digit to reversed_num.
     
  • Comparison: After the loop finishes, it compares the original string convert_str with the reversed string reversed_num.
     
  • Palindrome Check: If the original string and reversed string are equal, it confirms that the number is a palindrome, meaning it reads the same forward and backward.
     
  • User Input and Output: The program prompts the user to input a number and prints whether the number is a palindrome or not based on the comparison.
     
  • Example: For an input like 121, the program will print that it is a palindrome.

 

Program:

def is_palindrome(num):

    convert_str=str(num)

    reversed_num=""

    for i in range(len(convert_str)-1,-1,-1):

        reversed_num+=convert_str[i]

    return reversed_num==convert_str

num=int(input("enter a number :"))

if is_palindrome(num):

    print(f"{num} is palindrome ")

else:

    print(f"{num} is not palindrome")