Java Program to Check Armstrong Number

In this program, you’ll learn to check whether a given number is Armstrong number or not. You’ll learn to do this by using a for loop and a while loop in Java.

 

A positive integer is called an Armstrong number of order n if

abcd... = an + bn + cn + dn + ...

In the case of an Armstrong number of 3 digits, the sum of cubes of each digit is equal to the number itself. For example:

153 = 1*1*1 + 5*5*5 + 3*3*3  // 153 is an Armstrong number.

Example 1: Check Armstrong Number for 3 digit number

  1. public class Armstrong {
  2. public static void main(String[] args) {
  3. int number = 371, originalNumber, remainder, result = 0;
  4. originalNumber = number;
  5. while (originalNumber != 0)
  6. {
  7. remainder = originalNumber % 10;
  8. result += Math.pow(remainder, 3);
  9. originalNumber /= 10;
  10. }
  11. if(result == number)
  12. System.out.println(number + " is an Armstrong number.");
  13. else
  14. System.out.println(number + " is not an Armstrong number.");
  15. }
  16. }

When you run the program, the output will be:

371 is an Armstrong number.
  • First, given number (number)’s value is stored in another integer variable, originalNumber. This is because, we need to compare the values of final number and original number at the end.
  • Then, a while loop is used to loop through originalNumber until it is equal to 0.
    • On each iteration, the last digit of num is stored in remainder.
    • Then, remainder is powered by 3 (number of digits) using Math.pow() function and added to result.
    • Then, the last digit is removed from originalNumber after division by 10.
  • Finally, result and number are compared. If equal, it is an armstrong number. If not, it isn’t.

Example 2: Check Armstrong number for n digits

  1. public class Armstrong {
  2. public static void main(String[] args) {
  3. int number = 1634, originalNumber, remainder, result = 0, n = 0;
  4. originalNumber = number;
  5. for (;originalNumber != 0; originalNumber /= 10, ++n);
  6. originalNumber = number;
  7. for (;originalNumber != 0; originalNumber /= 10)
  8. {
  9. remainder = originalNumber % 10;
  10. result += Math.pow(remainder, n);
  11. }
  12. if(result == number)
  13. System.out.println(number + " is an Armstrong number.");
  14. else
  15. System.out.println(number + " is not an Armstrong number.");
  16. }
  17. }

When you run the program, the output will be:

1634 is an Armstrong number.

In this program, instead of using while loop, we’ve used two for loops.

The first for loop is used to count the number of digits in the number. It is the condensed form of:

for (;originalNumber != 0; originalNumber /= 10) {
     n++;
}

The second for loop then calculates the result where on each iteration, remainder is powered by the number of digits n.