Python Program to Check Armstrong Number: In this example, you will learn to check whether an n-digit integer is an Armstrong number or not.
Armstrong number:
A number is called Armstrong number if it is equal to the sum of the cubes of its own digits.
For example: 153 is an Armstrong number since 153 = 111 + 555 + 333.
Python Program to Check Armstrong Number
Source Code
# Python program to check if the number is an Armstrong number or not
# take input from the user
num = int(input("Enter a number: "))
# initialize sum
sum = 0
# find the sum of the cube of each digit
temp = num
while temp > 0:
digit = temp % 10
sum += digit ** 3
temp //= 10
# display the result
if num == sum:
print(num,"is an Armstrong number")
else:
print(num,"is not an Armstrong number")
Python Program to Check Armstrong Number