Answer: Your welcome!
Step-by-step explanation:
An Armstrong number is a number which is equal to the sum of the cubes of its individual digits. For example, 153 is an Armstrong number since 1^3 + 5^3 + 3^3 = 1 + 125 + 27 = 153.
The following code demonstrates how to check whether a given number is an Armstrong number or not in Java.
public class ArmstrongNumber {
public static void main(String[] args) {
int num = 153;
int number, temp, total = 0;
number = num;
while (number != 0)
{
temp = number % 10;
total = total + temp*temp*temp;
number /= 10;
}
if(total == num)
System.out.println(num + " is an Armstrong number");
else
System.out.println(num + " is not an Armstrong number");
}
}
In the above code, we use a while loop to iterate over the individual digits of the given number. To get the individual digits, we use the modulus operator (%). For example, if the number is 153, the loop will iterate three times. In the first iteration, the modulus of 153 % 10 will give us 3. We then multiply the individual digits by itself three times and then add the cubes of each digit to obtain the total. If the total is equal to the original number, it is an Armstrong number. Else, it is not.