Instagram
youtube
Facebook
Twitter

Check Palindrome Number Using Recursion in Python

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

Here’s the explanation of the code in points:

  • Function Definition: The function isPalindrome(number) takes an integer input number and checks if it is a palindrome.
     
  • String Conversion: The number is first converted into a string using str(number) to make it easier to manipulate.
     
  • Reversing the String: The string is reversed using slicing ([::-1]), which creates a new string with characters in reverse order.
     
  • Convert Reversed String to Integer: The reversed string is then converted back into an integer.
     
  • Comparison: The original number is compared with the reversed number.
     
  • Palindrome Check: If the original number is equal to the reversed number, the program confirms that the number is a palindrome.
     
  • Output: If the number is a palindrome, it prints that it is a palindrome; otherwise, it prints that it is not.
     
  • Example: For an input like 121, the program will print that it is a palindrome. If the input is 123, it will print that it is not a palindrome.

 

Program:

def isPalindrome(number):
    str_number = str(number)
    reversed_str_number = str_number[::-1]
    output = int(reversed_str_number)
   
    if number == output:
        print(f"{number} is a palindrome number.")
    else:
        print(f"{number} is not a palindrome number.")


number = int(input("Enter a number: "))
isPalindrome(number)