A palindrome is a word, phrase, number, or other sequence of characters that reads the same backward as forward. In other words, a palindrome is a sequence that remains the same when its order is reversed.
For example, "racecar", "madam", "level", and "rotor" are palindromic words, while "hello", "world", and "python" are not palindromic words. Similarly, 121, 2332, and 1221 are palindromic numbers, while 123, 456, and 2893 are not palindromic numbers.
pythonnum = int(input("Enter a number: "))
temp = num
rev = 0
while temp > 0:
digit = temp % 10
rev = rev * 10 + digit
temp //= 10
if num == rev:
print(num, "is a palindrome number")
else:
print(num, "is not a palindrome number")
In this program, I first ask the user to enter a number. I then initialize three variables:
num
: the number entered by the usertemp
: a temporary variable to store the value ofnum
rev
: a variable to store the reversed number
I use a while loop to reverse the digits of num
and store the result in rev
. Inside the loop, I use the modulus operator (%
) to get the last digit of temp
, and then add that digit to rev
after multiplying it by 10 to shift the digits in rev
to the left. I also use integer division (//
) to discard the last digit of temp
.
Finally, I check if num
is equal to rev
. If they are equal, I print a message indicating that num
is a palindrome number. Otherwise, I print a message indicating that num
is not a palindrome number.