202. Happy Number
Problem Description
The problem requires us to determine if a given positive integer n
is a happy number. A happy number is one that follows a specific process: Take the original number and replace it with the sum of the squares of its digits. Continue this process repeatedly. If eventually, the number transforms into 1, then it is a happy number. If the sequence of transformations forms an endless loop that never reaches 1, then it is not a happy number. The challenge is to create an algorithm to check whether the number reaches 1 or gets trapped in a cycle that doesn't include 1.
Intuition
To solve the problem, the concept of detecting cycles in a sequence can be applied. This is a common challenge in many algorithm problems and can often be addressed using two-pointers, namely the slow pointer and the fast pointer. The intuition here is to use the Floyd's cycle detection algorithm which is efficient for detecting cycles.
The next(x)
function is created to compute the sum of the squares of the digits of x
. Using this function, we then iterate through the process using two pointers, slow
and fast
. Initially, slow
is assigned to n
, and fast
is assigned to the next value in the sequence. During each step of the iteration:
slow
is moved one step forward (one application of thenext
function).fast
is moved two steps forward (two applications of thenext
function).
If a cycle exists that does not include 1, then slow
and fast
will eventually meet. If they meet at 1, it is a happy number. If they meet at any number other than 1, it is not a happy number. The loop continues until the slow
and fast
pointers are equal, and the return statement checks if the number they met at is 1, thereby confirming if n
is a happy number or not.
Learn more about Math and Two Pointers patterns.
Solution Approach
The solution implements Floyd's cycle detection algorithm, which is an efficient way to detect cycles in a sequence. Here's a step-by-step explanation of the implementation based on the provided code:
-
A helper function named
next(x)
is defined inside theSolution
class. This function calculates the sum of the squares of the digits of a numberx
.- Inside
next(x)
, a variabley
is initialized to 0, which will hold the sum of the squares of digits ofx
. - A loop is used to process each digit of
x
individually, wheredivmod(x, 10)
returns two values: the quotientx
(after removing the last digit) and the remainderv
(the last digit). - The square of the digit (
v * v
) is added toy
. - The loop continues until all digits of
x
are processed. - The function returns
y
, which is the calculated sum of squares of the digits of the input numberx
.
- Inside
-
Inside the
isHappy
method, two pointersslow
andfast
are initialized.slow
starts at the input numbern
, andfast
starts at the number obtained after one iteration of thenext
function onn
. -
The solution then uses a
while
loop to continue as long asslow
does not equalfast
. The idea is to moveslow
one step at a time andfast
two steps at a time through the sequence generated by applying thenext
function.- The condition
slow != fast
ensures that the loop continues until the two pointers meet, which indicates a cycle has been detected.
- The condition
-
In each iteration of the
while
loop,slow
is updated tonext(slow)
(one step) andfast
is updated tonext(next(fast))
(two steps), effectively advancing the pointers in the sequence until they either meet orfast
reaches 1. -
Once the loop breaks (either
slow == fast
orfast
reaches 1), the algorithm checks ifslow == 1
. If it is, thenn
is a happy number because we arrived at 1 without being trapped in a cycle. The function returnsTrue
in this case.- If
slow != 1
, it means thatslow
andfast
met at a number other than 1, which indicates a cycle not including 1. The function returnsFalse
, meaningn
is not a happy number.
- If
By implementing this approach, cycles are detected efficiently without the need for extra storage to keep track of the numbers already encountered, which is a direct benefit of using Floyd's cycle detection algorithm.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's illustrate the solution approach with an example. Consider the number n = 19
. We want to determine if it's a happy number. According to the process, we need to calculate the sum of the squares of its digits, repeat the process with the new number, and check if we eventually reach 1 or start looping without hitting 1.
- Start with initial number
n = 19
. - Use the
next
function to calculate sum of squares of digits:1^2 + 9^2 = 1 + 81 = 82
. - Set
slow = n
(19 initially) andfast = next(n)
(82 initially). - Enter the loop:
- First iteration:
slow
becomesnext(19)
which is 82.fast
becomesnext(next(82))
which isnext(68)
→next(100)
→ 1 (since1^2 + 0^2 + 0^2 = 1
).
- Since
fast
has reached 1, the loop continues, but the condition forslow
to meetfast
, which was skipped in this example becausefast
hit 1 before the comparison, wasn't necessary.
- First iteration:
- The loop checks if
slow == fast
or iffast == 1
. In this case,fast
is already 1, so we can conclude that 19 is a happy number withoutslow
andfast
needing to meet. - The
isHappy
function would returnTrue
, confirming that 19 is indeed a happy number.
In this example, the cycle detection wasn't necessary because we quickly reached 1. However, for larger numbers or numbers that fall into an endless loop, the cycle detection becomes a crucial part of identifying a non-happy number by observing slow
and fast
pointers meeting at some number other than 1.
Solution Implementation
1class Solution:
2 def isHappy(self, n: int) -> bool:
3 # Define a helper function to compute the next number in the sequence
4 def get_next_number(x):
5 total_sum = 0
6 # Continue until x is reduced to zero
7 while x:
8 # Divide x by 10, saving the remainder and the quotient
9 x, digit = divmod(x, 10)
10 # Add the square of the remainder to total_sum
11 total_sum += digit * digit
12 return total_sum
13
14 # Initialize two pointers for detecting cycles (Floyd's cycle detection algorithm)
15 slow = n
16 fast = get_next_number(n)
17
18 # Loop until the two pointers meet or we find a happy number
19 while slow != fast:
20 # The slow pointer moves one step at a time
21 slow = get_next_number(slow)
22 # The fast pointer moves two steps at a time
23 fast = get_next_number(get_next_number(fast))
24
25 # The number is happy if and only if the loop ends with slow equals to 1
26 return slow == 1
27
1class Solution {
2
3 // Method to determine if a number is a happy number.
4 public boolean isHappy(int n) {
5 // Initialize slow and fast pointers to detect cycle.
6 int slowRunner = n;
7 int fastRunner = getNext(n);
8
9 // Loop until the two pointers meet or we find a happy number.
10 while (slowRunner != fastRunner) {
11 slowRunner = getNext(slowRunner); // Move slow pointer by one step.
12 fastRunner = getNext(getNext(fastRunner)); // Move fast pointer by two steps.
13 }
14
15 // If the slow runner reaches 1, then the number is happy.
16 // If the pointers meet and it's not at 1, then a cycle is detected and the number is not happy.
17 return slowRunner == 1;
18 }
19
20 // Helper method to calculate the next number in the sequence.
21 private int getNext(int number) {
22 int sumOfSquares = 0;
23 while (number > 0) {
24 int digit = number % 10; // Extract the last digit of the current number.
25 sumOfSquares += digit * digit; // Add the square of the extracted digit to the sum.
26 number /= 10; // Remove the last digit from the current number.
27 }
28 return sumOfSquares;
29 }
30}
31
1#include<cmath> // Required for pow function
2
3// Solution class to determine if a number is a 'happy number'
4class Solution {
5public:
6 // Function to check if a number is happy
7 bool isHappy(int n) {
8 // Lambda function to calculate the next number by summing the squares of the digits
9 auto getNextNumber = [](int currentNumber) {
10 int sumOfSquares = 0;
11 while (currentNumber > 0) {
12 int digit = currentNumber % 10; // Get last digit
13 sumOfSquares += std::pow(digit, 2); // Add square of the digit to sum
14 currentNumber /= 10; // Remove the last digit
15 }
16 return sumOfSquares;
17 };
18
19 // Initialize two pointers for the cycle detection (Floyd's Tortoise and Hare algorithm)
20 int slowPointer = n; // Slow pointer moves one step
21 int fastPointer = getNextNumber(n); // Fast pointer moves two steps
22
23 // Continue moving the pointers until they meet or find a happy number
24 while (slowPointer != fastPointer) {
25 slowPointer = getNextNumber(slowPointer); // Move slow pointer by one step
26 fastPointer = getNextNumber(getNextNumber(fastPointer)); // Move fast pointer by two steps
27 }
28
29 // If slowPointer is 1, n is a happy number
30 return slowPointer == 1;
31 }
32};
33
1// Determines if a number is a "happy number"
2// A happy number is a number in which the sum of the square of digits eventually reaches 1
3// If it enters a cycle without reaching 1, it is not a happy number
4function isHappy(n: number): boolean {
5 // This function calculates the sum of the squares of the digits of a given number
6 const getNextNumber = (currentNumber: number): number => {
7 let sumOfSquares = 0;
8 while (currentNumber !== 0) {
9 let digit = currentNumber % 10;
10 sumOfSquares += digit ** 2;
11 currentNumber = Math.floor(currentNumber / 10);
12 }
13 return sumOfSquares;
14 };
15
16 // Initializes two pointers for detecting cycles
17 let slowPointer = n;
18 let fastPointer = getNextNumber(n);
19
20 // Uses Floyd's cycle detection algorithm to determine if a cycle exists
21 while (slowPointer !== fastPointer) {
22 // Moves slow pointer by one step
23 slowPointer = getNextNumber(slowPointer);
24 // Moves fast pointer by two steps
25 fastPointer = getNextNumber(getNextNumber(fastPointer));
26 }
27
28 // If fastPointer equals 1, it means we've reached the happy number condition
29 return fastPointer === 1;
30}
31
Time and Space Complexity
The given Python code uses the Floyd's cycle detection algorithm (also known as the tortoise and the hare algorithm) to determine if a number is a "happy number". The functions involve iterating over the digits of the number, squaring them, and summing them until the process repeats a sequence or arrives at 1, which implies a happy number.
The time complexity of the algorithm is a bit tricky to analyze because it depends on understanding how many steps it takes before we find a cycle or reach the number 1. Experimental results suggest that we will either reach 1 or fall into a cycle after a number of steps that is at most linear in the number of digits of the original number n
. Therefore, for practical purposes, we often assume the time complexity to be O(log n)
where n
is the input number, as the sequence of transformations will be at most O(log n)
before repeating or reaching 1.
The space complexity of the algorithm is O(1)
. This is because the algorithm only uses a few variables to store the slow and fast pointers (slow
and fast
) and does not allocate any additional space that grows with the input n
. The helper function next(x)
uses constant space as well, as it simply computes the next value in the sequence.
Learn more about how to find time and space complexity quickly using problem constraints.
Which data structure is used to implement priority queue?
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
Tech Interview Pattern Two Pointers Introduction If you prefer videos here's a super quick introduction to Two Pointers div class responsive iframe iframe src https www youtube com embed xZ4AfXHQ1VQ title YouTube video player frameborder 0 allow accelerometer autoplay clipboard write encrypted media gyroscope picture in picture allowfullscreen iframe div Two pointers is a common interview
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
Want a Structured Path to Master System Design Too? Don’t Miss This!