1134. Armstrong Number
Problem Description
An Armstrong number (also known as a narcissistic number) is a number that is the sum of its own digits each raised to the power of the number of digits. In this problem, you are given an integer n
, and the task is to determine whether n
is an Armstrong number.
To explain it with an example, let's take the number 153 which is a 3-digit number. If we raise each digit to the power of 3 (since it's a 3-digit number) and sum them, we get:
1^3 + 5^3 + 3^3 = 1 + 125 + 27 = 153
,
which is equal to the original number. Therefore, 153 is an Armstrong number.
This definition generalizes to any number of digits. For any given n
, we wish to find out whether the number is equal to the sum of its own digits each raised to the power of k
, where k
is the number of digits in n
.
Intuition
The intuition behind the solution follows from the definition of an Armstrong number. We need to:
- Determine the number of digits
k
inn
, which can be done by converting the numbern
to a string and finding its length. - Sum up each digit raised to the
k
th power. This can be done by repeatedly taking the last digit ofn
using the modulo operator% 10
, raising it to thek
th power, and adding it to a sum. - After processing a digit, we can remove it from
n
by using integer division by 10 (// 10
) to shift all the digits to the right. - Continue this process until all digits have been processed (i.e., until
n
becomes 0). - Finally, compare the obtained sum with the original number
n
, and if they are equal,n
is an Armstrong number; otherwise, it is not.
This approach systematically deconstructs the number n
to access its individual digits while keeping track of the sum of the digits each raised to the k
th power. If at the end, this sum is equal to n
, then the number is confirmed to be an Armstrong number, and the function should return true
. Otherwise, it should return false
.
Learn more about Math patterns.
Solution Approach
The implementation of the solution for determining if a number is an Armstrong number involves a straightforward approach that iterates through the digits of the number while computing a sum that follows the rule for Armstrong numbers.
Here is the step by step breakdown of the algorithm:
-
First, find the number of digits
k
in our numbern
. This is done by convertingn
to a string and getting the length of that string:k = len(str(n))
-
Initialize two variables: one for the sum (
s
) which we will use to accumulate the k-th powers of the digits, and a copy ofn
(x
) which we will use to manipulate and access each digit without altering the original numbern
:s, x = 0, n
-
Use a while loop to iterate over each digit in the number. The loop continues as long as
x
is not zero:while x:
-
Inside the loop, extract the last digit of
x
using% 10
, raise it to the power ofk
, and add the result to the sums
:s += (x % 10) ** k
-
Then remove the last digit from
x
by dividingx
by 10 and keeping the integer part only (effectively shifting the digits to the right):x //= 10
-
After finishing the loop, we check if the calculated sum
s
is equal to the original numbern
. If they match, it means thatn
is indeed an Armstrong number:return s == n
The data structures used in this approach are quite simple - just integers for keeping track of the sum, the number of digits, and the working copy of the original number.
The pattern followed here is an iterative approach that decomposes the number digit by digit to perform the necessary arithmetic operations, a common technique when dealing with numbers in programming.
This solution does not require any complex algorithms or data structures and efficiently arrives at the answer by harnessing elementary arithmetic and control flow constructs in Python.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let us use the number 371 as an example to illustrate the solution approach.
-
First, we find the number of digits
k
in our numbern
, which is371
. We convert371
to a string and get the length of that string:k = len(str(371)) # k is 3 because there are 3 digits in the number
-
We initialize a variable for the sum
s
at 0 to accumulate the k-th powers of the digits, and we make a copy ofn
(x
) to manipulate without altering the original number371
:s, x = 0, 371
-
We use a while loop to iterate over each digit in the number. The loop continues as long as
x
(which begins as 371) is not zero:while x: # True initially because x is 371
-
Inside the loop, we extract the last digit of
x
(which is 1 in the first iteration) using% 10
, raise it to the power ofk
(which is 3), and add the result to the sums
:s += (x % 10) ** k # Adds 1**3 to s, so s becomes 1
-
We remove the last digit from
x
by dividingx
by 10 and keeping the integer part only, which shifts all digits to the right:x //= 10 # x becomes 37 after the first iteration
-
The loop continues with
x
now being 37, and in the second iteration, the last digit 7 (37 % 10
) will be raised to the power of 3 and added tos
, resulting ins
being1 + 7**3
which is1 + 343
makings
now 344. -
With
x
updated to 3 (37 // 10
), the loop goes for one more iteration with 3 raised to the power of 3 and added tos
, resulting in344 + 3**3
, which equals344 + 27
makings
371. -
After finishing the loop (since
x
is now 0), we check if the calculated sums
(371) is equal to the original numbern
(371). Since they match, it means that371
is indeed an Armstrong number:return s == n # returns True, as 371 is indeed an Armstrong number
By following these steps, we have checked that 371 is an Armstrong number using the method described in the solution approach. The while loop terminated after processing all digits of number 371, raising each digit to the power of the number of digits, summing them, and comparing the result with the original number.
Solution Implementation
1class Solution:
2
3 def is_armstrong(self, n: int) -> bool:
4 # Convert the number to a string and calculate the length to determine k
5 k = len(str(n))
6
7 # Initialize the sum and a temporary variable with the original number
8 sum_of_powers, temp_number = 0, n
9
10 # Loop through each digit of the number
11 while temp_number > 0:
12 # Get the last digit and raise it to the power of k
13 last_digit = temp_number % 10
14 sum_of_powers += last_digit ** k
15
16 # Remove the last digit from temp_number
17 temp_number //= 10
18
19 # Check if the sum of the digits to the power of k is equal to the original number
20 return sum_of_powers == n
21
1class Solution {
2 public boolean isArmstrong(int number) {
3 // Calculate the number of digits in 'number' by converting it to a string and getting its length
4 int numOfDigits = String.valueOf(number).length();
5
6 // Initialize sum to store the sum of digits raised to the power of 'numOfDigits'
7 int sum = 0;
8
9 // Temporary variable to hold the current number as we compute the Armstrong sum
10 int tempNumber = number;
11
12 // Loop to calculate the sum of each digit raised to the power numOfDigits
13 while (tempNumber > 0) {
14 // Get the last digit of tempNumber
15 int digit = tempNumber % 10;
16
17 // Add the digit raised to the power of 'numOfDigits' to the sum
18 sum += Math.pow(digit, numOfDigits);
19
20 // Remove the last digit from tempNumber
21 tempNumber /= 10;
22 }
23
24 // Check if the calculated sum is equal to the original number
25 return sum == number;
26 }
27}
28
1#include <cmath> // Include cmath for the pow function
2#include <string> // Include string to convert integers to strings
3
4class Solution {
5public:
6 bool isArmstrong(int n) {
7 // Convert the integer n to a string to compute its length (number of digits)
8 int numDigits = std::to_string(n).size();
9 int sumOfPowers = 0; // This will hold the sum of the digits raised to the power of numDigits
10
11 // Iterate over the digits of the number
12 for (int temp = n; temp != 0; temp /= 10) {
13 // Calculate the current digit to the power of numDigits and add it to sumOfPowers
14 sumOfPowers += std::pow(temp % 10, numDigits);
15 }
16
17 // Return true if the sum of the powers equals the original number, false otherwise
18 return sumOfPowers == n;
19 }
20};
21
1function isArmstrong(number: number): boolean {
2 // Calculate the length of the number to determine the power to be used.
3 const numberOfDigits = String(number).length;
4
5 // Initialize the sum of the digits raised to the power of the number of digits.
6 let sum = 0;
7
8 // Initialize a variable 'value' to iterate through the digits of 'number'.
9 for (let value = number; value; value = Math.floor(value / 10)) {
10 // Add the current digit raised to the 'numberOfDigits' power to the sum.
11 sum += Math.pow(value % 10, numberOfDigits);
12 }
13
14 // Return true if the sum is equal to the original number (Armstrong number), otherwise return false.
15 return sum === number;
16}
17
Time and Space Complexity
The given Python code defines a method isArmstrong
which determines whether a given integer n
is an Armstrong number or not. An Armstrong number (also known as a narcissistic number) of k
digits is an integer such that the sum of its own digits each raised to the power of k
equals the number itself.
To analyze its computational complexity, let's consider the following:
- Let
d
be the number of digits in the integern
, which is equal tolen(str(n))
.
Time Complexity:
- Determining the number of digits,
k = len(str(n))
, requiresO(d)
time. - The while loop runs as long as
x
is not zero. Sincex
is reduced by a factor of 10 in each iteration, there will beO(d)
iterations. - Within each iteration, the modulus operation
x % 10
, the power operation(x % 10) ** k
and integer divisionx //= 10
are performed. The power operation has a time complexity ofO(k)
because it involves multiplying the numberx % 10
k
times. - Therefore, the total time complexity within the while loop is
O(d * k)
.
Since k
is itself O(d)
because the number of digits d
is log10(n)
, and k ≈ log10(n)
, the overall time complexity when combining these operations is O(d^2)
.
Space Complexity:
- The space complexity is determined by the extra space used by the variables
k
,s
, andx
. - No additional data structures that grow with input size are used.
- The variables themselves only occupy constant space,
O(1)
.
Thus, the overall space complexity of the method is O(1)
.
The provided Python code's time complexity is O(d^2)
and space complexity is O(1)
.
Learn more about how to find time and space complexity quickly using problem constraints.
In a binary min heap, the maximum element can be found in:
Recommended Readings
Math for Technical Interviews How much math do I need to know for technical interviews The short answer is about high school level math Computer science is often associated with math and some universities even place their computer science department under the math faculty However the reality is that you
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!