594. Longest Harmonious Subsequence
Problem Description
This problem asks for the length of the longest harmonious subsequence within an integer array nums
. A harmonious array is defined as one where the difference between the maximum and the minimum values is exactly 1. It's important to note that a subsequence is different from a subset, as a subsequence maintains the original order of elements, and can be formed by removing zero or more elements from the array.
For example, given an array nums
= [1,3,2,2,5,2,3,7], the longest harmonious subsequence is [3,2,2,2,3] with a length of 5.
Intuition
The solution to this problem leverages hashing to keep track of the frequency of each number in the given array. The essence of the approach is to check for each element num
, whether there exists an element num + 1
in the array. If it exists, then a harmonious subsequence can potentially be formed using the elements num
and num + 1
.
Since the elements need not be adjacent, we only care about the counts of the elements num
and num + 1
. We can find the total count of such pairs and keep updating the maximum found so far if the current count exceeds the previous maximum. Using a hash map or, in Python, a Counter
object is ideal for this task as it allows us to efficiently store and access the frequencies of each element.
Here's the intuitive breakdown of the process:
- Create a frequency counter (hash map) from the array to count occurrences of each element.
- Iterate through each element
num
in the array. - Check if there’s an element
num + 1
in the counter hashmap. - If so, calculate the sum of the count of
num
andnum + 1
since those two form a harmonious sequence. - Compare this sum with the current longest harmonious subsequence length, and update it if this one is longer.
- Continue this process until you have checked all elements.
- Return the longest length obtained.
This approach is efficient because it eliminates the need to consider actual subsequences. Instead, it relies on counts, which simplifies the process of verifying the harmonious condition.
Learn more about Sorting patterns.
Solution Approach
The implementation of the solution follows these steps:
-
Counter Data Structure: We use Python's
Counter
class from thecollections
module, which is a subclass of a dictionary. It is used to count objects and store them as dictionary keys and their counts as dictionary value. Here it is used to build a hash map of each number (num
) innums
array to its frequency. -
Iterate Through Each Element: We iterate through each element in the
nums
array. For each elementnum
, we are going to check ifnum + 1
is a key in the counter. -
Check and Calculate: If
num + 1
exists in our counter, we then know we can form a harmonious subsequence withnum
andnum + 1
, since our Counter contains the counts of all numbers and we only want the difference between numbers to be exactly1
. To calculate the length of this potential subsequence we add the count ofnum
and the count ofnum + 1
. -
Maximize Answer: Now, having the sum of counts of
num
andnum + 1
, we compare it with our current answer (initially zero). If our sum is greater, we update the answer to this larger sum. Essentially, we are keeping track of the largest harmonious subsequence we've seen so far. -
Return the Result: Finally, after iterating over all the elements in the
nums
array, we end up with the length of the longest harmonious subsequence in theans
variable.
The algorithm uses O(N)
space due to the counter, where N
is the number of elements in the nums
array. The time complexity is also O(N)
, since we iterate over the array once to build the counter and once again to find the ans
.
Here's the key part of the code explained:
counter = Counter(nums) # Step 1: Build the counter hash map
ans = 0
for num in nums: # Step 2: Iterate through each element
if num + 1 in counter: # Step 3: Check if `num + 1` is present
ans = max(ans, counter[num] + counter[num + 1]) # Step 4: Maximize the answer
return ans # Step 5: Return the result
This code snippet illustrates how we use the algorithms and data structures mentioned to find the length of the longest harmonious subsequence.
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 consider a small example to illustrate the solution approach with an array nums = [1, 1, 2, 2, 3]
.
-
First, we create a counter from the array. Our counter will look like this:
{1: 2, 2: 2, 3: 1}
, where each key is the element fromnums
, and each value is how many times that element appears. -
We now start to iterate through each element in
nums
. We take the first element1
and check if1 + 1
(which is2
) is a key in the counter. It is, so we find the sum of the counts of1
and2
, which is2 + 2 = 4
. We compare this sum4
with our current answer (which is0
since we just started) and update the answer to4
. -
We move to the next element, which is also
1
. Since we've already considered this number and the counter hasn't changed, the calculation would be the same, thus no change in the answer. -
Next, we consider number
2
. We check if2 + 1
(which is3
) is a key in the counter. It is, so we find the sum of the counts of2
and3
, which is2 + 1 = 3
. We compare this sum3
with our current answer4
, and since3
is less than4
, we don't update the answer. -
Then, we take the next
2
, and just like the previous2
, it yields the same calculation, so no change occurs. -
Finally, we consider the last element
3
and check for3 + 1
(which is4
). This is not a key in the counter, so we don't have a harmonious subsequence involving the number3
. -
Having examined all the elements, we end up with the answer
4
, which is the length of the longest harmonious subsequence[1, 1, 2, 2]
.
This example validates our solution approach: using a counter to efficiently compute the length of the longest harmonious subsequence by only considering the frequencies of num
and num + 1
for each number in the array. The final answer for this example is 4
.
Solution Implementation
1from collections import Counter
2
3class Solution:
4 def findLHS(self, nums: List[int]) -> int:
5 # Count the frequency of each number in the list using Counter
6 frequency_map = Counter(nums)
7
8 # Initialize the variable to store the length of the longest harmonious subsequence
9 longest_harmonious_subseq_length = 0
10
11 # Iterate through each number in the nums list
12 for num in nums:
13 # Check if the number has a companion number that is one greater
14 if num + 1 in frequency_map:
15 # Harmonious subsequence found with num and num + 1
16 # Calculate its length: count of num + count of num + 1
17 current_length = frequency_map[num] + frequency_map[num + 1]
18 # Update the answer with the maximum length found so far
19 longest_harmonious_subseq_length = max(longest_harmonious_subseq_length, current_length)
20
21 # Return the length of the longest harmonious subsequence found
22 return longest_harmonious_subseq_length
23
1class Solution {
2 public int findLHS(int[] nums) {
3 // Create a HashMap to keep track of the frequency of each number
4 Map<Integer, Integer> frequencyMap = new HashMap<>();
5
6 // Count the occurrences of each number in the array.
7 for (int num : nums) {
8 frequencyMap.put(num, frequencyMap.getOrDefault(num, 0) + 1);
9 }
10
11 // Initialize variable to keep track of the longest harmonious subsequence
12 int longestHarmoniousSubsequence = 0;
13
14 // Iterate through the numbers in the array
15 for (int num : nums) {
16 // Check if the number that is one more than the current number exists in the map
17 if (frequencyMap.containsKey(num + 1)) {
18 // If it exists, calculate the sum of the frequencies of the current number
19 // and the number that is one more than the current number
20 int currentLength = frequencyMap.get(num) + frequencyMap.get(num + 1);
21
22 // Update the longest harmonious subsequence if the current sum is greater
23 longestHarmoniousSubsequence = Math.max(longestHarmoniousSubsequence, currentLength);
24 }
25 }
26
27 // Return the length of the longest harmonious subsequence found
28 return longestHarmoniousSubsequence;
29 }
30}
31
1#include <vector>
2#include <unordered_map>
3#include <algorithm>
4
5class Solution {
6public:
7 int findLHS(vector<int>& nums) {
8 std::unordered_map<int, int> frequencyMap; // Map to keep track of the frequency of each number in nums
9
10 // Count the frequency of each number in the given nums array
11 for (int num : nums) {
12 ++frequencyMap[num]; // Increment the count for the number
13 }
14
15 int longestHarmoniousSequence = 0; // Variable to hold the length of the longest harmonious sequence
16
17 // Iterate through the numbers in the array to find the longest harmonious sequence
18 for (auto& [num, count] : frequencyMap) {
19 // Check if there is a number in the map which is exactly one more than the current number
20 if (frequencyMap.count(num + 1)) {
21 // If found, update the longestHarmoniousSequence with the larger value between the previous
22 // longest and the total count of the current number and the number that is one more.
23 longestHarmoniousSequence = std::max(longestHarmoniousSequence, count + frequencyMap[num + 1]);
24 }
25 }
26
27 // Return the length of the longest harmonious sequence found
28 return longestHarmoniousSequence;
29 }
30};
31
1// Importing necessary types from 'collections' module
2import { HashMap } from "collectable";
3
4// Declare a HashMap to keep track of the frequency of each number in nums
5let frequencyMap: HashMap<number, number> = HashMap.empty();
6
7// Function to find the length of the longest harmonious subsequence in the nums array
8function findLHS(nums: number[]): number {
9 // Count the frequency of each number in the given nums array
10 nums.forEach(num => {
11 frequencyMap = HashMap.update<number, number>(n => (n || 0) + 1, num, frequencyMap);
12 });
13
14 let longestHarmoniousSequence: number = 0; // Variable to hold the length of the longest harmonious sequence
15
16 // Iterate through the numbers in the map to find the longest harmonious sequence
17 HashMap.forEach((count, num) => {
18 // Check if there is a number in the map which is exactly one more than the current number
19 if (HashMap.has(num + 1, frequencyMap)) {
20 // If found, update the longestHarmoniousSequence with the larger value between the previous
21 // longest and the total count of the current number and the number that is one more.
22 const nextCount = HashMap.get(num + 1, frequencyMap) || 0;
23 longestHarmoniousSequence = Math.max(longestHarmoniousSequence, count + nextCount);
24 }
25 }, frequencyMap);
26
27 // Return the length of the longest harmonious sequence found
28 return longestHarmoniousSequence;
29}
30
Time and Space Complexity
Time Complexity
The function involves calculating the frequency of each number in the list, which can be done in O(n)
time where n
is the number of elements in nums
. The for
loop iterates through each element in nums
once, and each lookup and update operation within the loop can be considered to have an average-case time complexity of O(1)
due to the hash table (dictionary) operations in Python. Therefore, the total time complexity of this function is O(n)
.
Space Complexity
The space complexity comes from the use of a counter (essentially a hash table), which stores each unique number and its corresponding frequency. In the worst case, if all elements in nums
are unique, the space required would be O(n)
. Thus, the overall space complexity of the function is O(n)
.
Learn more about how to find time and space complexity quickly using problem constraints.
Which data structure is used to implement recursion?
Recommended Readings
Sorting Summary Comparisons We presented quite a few sorting algorithms and it is essential to know the advantages and disadvantages of each one The basic algorithms are easy to visualize and easy to learn for beginner programmers because of their simplicity As such they will suffice if you don't know any advanced
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!