594. Longest Harmonious Subsequence
Problem Description
A harmonious array is defined as an array where the difference between its maximum value and its minimum value is exactly 1.
Given an integer array nums, you need to find the length of the longest harmonious subsequence among all possible subsequences.
A subsequence is a sequence that can be derived from the array by deleting some or no elements without changing the order of the remaining elements. For example, if nums = [1, 3, 2, 2, 5, 2, 3, 7], then [3, 2, 2, 2, 3] is a valid subsequence where the minimum value is 2 and maximum value is 3, making it harmonious since 3 - 2 = 1.
The solution uses a hash table to count the frequency of each number in the array. For each number x in the hash table, if x + 1 also exists, then all occurrences of x and x + 1 together form a harmonious subsequence. The algorithm finds the maximum sum of counts for such pairs (x, x+1) to determine the longest harmonious subsequence.
Intuition
To find the longest harmonious subsequence, we need to identify which elements from the array can form a valid harmonious group. Since a harmonious array must have exactly a difference of 1 between its maximum and minimum values, this means our subsequence can only contain two distinct values that differ by 1.
The key insight is that if we want to maximize the length of our harmonious subsequence, we should include all occurrences of two consecutive numbers (like all 2s and all 3s). Why? Because:
- We can only use at most two distinct values (otherwise the difference between max and min would exceed 1)
- These two values must be consecutive integers (to maintain the difference of exactly 1)
- To maximize length, we want to include every occurrence of both chosen values
This leads us to think about counting frequencies. If we know that the array contains a occurrences of number x and b occurrences of number x+1, then we can form a harmonious subsequence of length a + b using all these elements.
Therefore, the problem reduces to:
- Count the frequency of each number in the array
- For each number x, check ifx+1exists in the array
- If both exist, calculate count(x) + count(x+1)
- Return the maximum sum found
This approach works because we're essentially trying all possible pairs of consecutive numbers and selecting the pair that gives us the longest subsequence.
Learn more about Sorting and Sliding Window patterns.
Solution Approach
The solution uses a hash table to efficiently count and lookup element frequencies.
Step 1: Count Element Frequencies
We use Python's Counter from the collections module to create a hash table cnt that stores the frequency of each element in nums. This gives us a mapping where cnt[x] represents how many times the value x appears in the array.
Step 2: Find All Valid Harmonious Pairs
We iterate through each key-value pair (x, c) in the hash table, where:
- xis a unique number from the array
- cis the count of occurrences of- x
For each number x, we check if x + 1 exists in the hash table by evaluating cnt[x + 1]. If it exists (meaning it has a non-zero count), then we can form a harmonious subsequence using all occurrences of both x and x + 1.
Step 3: Calculate Maximum Length
The length of a harmonious subsequence formed by numbers x and x + 1 is simply c + cnt[x + 1], which represents the total count of both values.
We use a generator expression (c + cnt[x + 1] for x, c in cnt.items() if cnt[x + 1]) to calculate the lengths of all possible harmonious subsequences. The condition if cnt[x + 1] filters out cases where x + 1 doesn't exist in the array (would have a count of 0).
Step 4: Return the Result
The max() function finds the maximum length among all valid harmonious subsequences. The default=0 parameter handles the edge case where no harmonious subsequence exists (for example, when all elements in the array are the same or when no two consecutive integers exist).
The time complexity is O(n) where n is the length of the array, as we iterate through the array once to build the counter and then iterate through the unique elements once. The space complexity is also O(n) for storing the hash table.
Ready to land your dream job?
Unlock your dream job with a 5-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's walk through the solution with nums = [1, 3, 2, 2, 5, 2, 3, 7].
Step 1: Count Element Frequencies
First, we create a frequency map of all elements:
- 1appears 1 time
- 2appears 3 times
- 3appears 2 times
- 5appears 1 time
- 7appears 1 time
So our hash table looks like: {1: 1, 2: 3, 3: 2, 5: 1, 7: 1}
Step 2: Check Each Number for Valid Pairs
Now we examine each number x to see if x + 1 exists:
- 
For x = 1: Check if2exists → YES!- Harmonious subsequence using all 1s and 2s: [1, 2, 2, 2]
- Length = 1 + 3 = 4
 
- Harmonious subsequence using all 1s and 2s: 
- 
For x = 2: Check if3exists → YES!- Harmonious subsequence using all 2s and 3s: [2, 2, 2, 3, 3]
- Length = 3 + 2 = 5
 
- Harmonious subsequence using all 2s and 3s: 
- 
For x = 3: Check if4exists → NO- Cannot form a harmonious subsequence
 
- 
For x = 5: Check if6exists → NO- Cannot form a harmonious subsequence
 
- 
For x = 7: Check if8exists → NO- Cannot form a harmonious subsequence
 
Step 3: Find Maximum Length
From our valid pairs:
- Pair (1, 2): length = 4
- Pair (2, 3): length = 5
The maximum length is 5.
Therefore, the longest harmonious subsequence has length 5, consisting of all the 2s and 3s from the original array: [3, 2, 2, 2, 3].
Solution Implementation
1from typing import List
2from collections import Counter
3
4class Solution:
5    def findLHS(self, nums: List[int]) -> int:
6        # Count the frequency of each number in the array
7        frequency_map = Counter(nums)
8      
9        # Find the maximum length of harmonious subsequence
10        # A harmonious subsequence has max and min elements differing by exactly 1
11        max_length = 0
12      
13        # Iterate through each unique number and its count
14        for number, count in frequency_map.items():
15            # Check if the next consecutive number exists in the array
16            if number + 1 in frequency_map:
17                # Calculate the length of harmonious subsequence with 'number' and 'number+1'
18                harmonious_length = count + frequency_map[number + 1]
19                # Update the maximum length found so far
20                max_length = max(max_length, harmonious_length)
21      
22        return max_length
231class Solution {
2    public int findLHS(int[] nums) {
3        // Create a frequency map to count occurrences of each number
4        Map<Integer, Integer> frequencyMap = new HashMap<>();
5      
6        // Count the frequency of each number in the array
7        for (int number : nums) {
8            frequencyMap.merge(number, 1, Integer::sum);
9        }
10      
11        // Initialize the maximum harmonious subsequence length
12        int maxLength = 0;
13      
14        // Iterate through each entry in the frequency map
15        for (Map.Entry<Integer, Integer> entry : frequencyMap.entrySet()) {
16            int currentNumber = entry.getKey();
17            int currentFrequency = entry.getValue();
18          
19            // Check if the next consecutive number exists in the map
20            // A harmonious subsequence has max and min difference of exactly 1
21            if (frequencyMap.containsKey(currentNumber + 1)) {
22                // Calculate the length of harmonious subsequence with currentNumber and currentNumber+1
23                int harmonicLength = currentFrequency + frequencyMap.get(currentNumber + 1);
24              
25                // Update the maximum length if current harmonious subsequence is longer
26                maxLength = Math.max(maxLength, harmonicLength);
27            }
28        }
29      
30        // Return the length of the longest harmonious subsequence
31        return maxLength;
32    }
33}
341class Solution {
2public:
3    int findLHS(vector<int>& nums) {
4        // Create a frequency map to count occurrences of each number
5        unordered_map<int, int> frequencyMap;
6      
7        // Count the frequency of each number in the array
8        for (int num : nums) {
9            ++frequencyMap[num];
10        }
11      
12        // Variable to store the maximum length of harmonious subsequence
13        int maxLength = 0;
14      
15        // Iterate through each unique number and its frequency
16        for (auto& [number, frequency] : frequencyMap) {
17            // Check if the next consecutive number exists in the map
18            // A harmonious subsequence has max and min difference of exactly 1
19            if (frequencyMap.contains(number + 1)) {
20                // Update maxLength with the sum of current and next number's frequencies
21                maxLength = max(maxLength, frequency + frequencyMap[number + 1]);
22            }
23        }
24      
25        // Return the length of the longest harmonious subsequence
26        return maxLength;
27    }
28};
291/**
2 * Find the longest harmonious subsequence in an array
3 * A harmonious subsequence is one where the difference between max and min elements is exactly 1
4 * @param nums - The input array of numbers
5 * @returns The length of the longest harmonious subsequence
6 */
7function findLHS(nums: number[]): number {
8    // Create a frequency map to count occurrences of each number
9    const frequencyMap: Record<number, number> = {};
10  
11    // Count the frequency of each number in the array
12    for (const num of nums) {
13        frequencyMap[num] = (frequencyMap[num] || 0) + 1;
14    }
15  
16    // Track the maximum length of harmonious subsequence
17    let maxLength = 0;
18  
19    // Iterate through each unique number and its frequency
20    for (const [numStr, frequency] of Object.entries(frequencyMap)) {
21        // Convert string key back to number and calculate the next consecutive number
22        const currentNum = Number(numStr);
23        const nextNum = currentNum + 1;
24      
25        // Check if the next consecutive number exists in the frequency map
26        if (frequencyMap[nextNum]) {
27            // Update max length with sum of current and next number frequencies
28            maxLength = Math.max(maxLength, frequency + frequencyMap[nextNum]);
29        }
30    }
31  
32    return maxLength;
33}
34Time and Space Complexity
The time complexity is O(n), where n is the length of the array nums. This is because:
- Creating the Counter object requires iterating through all nelements once:O(n)
- The generator expression iterates through all unique elements in the Counter (at most nelements), and for each element, it performs constant time operations (dictionary lookups and addition):O(n)
- The max function iterates through the generator results: O(n)
- Overall: O(n) + O(n) + O(n) = O(n)
The space complexity is O(n), where n is the length of the array nums. This is because:
- The Counter object stores at most nkey-value pairs (in the worst case where all elements are unique):O(n)
- The generator expression doesn't create an additional list but processes elements one at a time: O(1)additional space
- Overall: O(n)
Learn more about how to find time and space complexity quickly.
Common Pitfalls
Pitfall 1: Misunderstanding Subsequence vs Subarray
A common mistake is confusing a subsequence with a subarray. Students often think they need to find contiguous elements that form a harmonious array. This leads to incorrect sliding window approaches or attempts to maintain order while checking adjacent elements.
Incorrect approach:
# Wrong: Trying to find contiguous harmonious subarray
def findLHS_wrong(nums):
    max_length = 0
    for i in range(len(nums)):
        for j in range(i+1, len(nums)+1):
            subarray = nums[i:j]
            if max(subarray) - min(subarray) == 1:
                max_length = max(max_length, len(subarray))
    return max_length
Why it's wrong: This looks for contiguous subarrays, but the problem asks for subsequences which don't need to be contiguous. For example, in [1,3,2,2,5,2,3,7], the elements [3,2,2,2,3] form a valid harmonious subsequence even though they're not consecutive in the original array.
Pitfall 2: Including More Than Two Distinct Values
Another mistake is trying to include multiple values that form a range, rather than exactly two consecutive integers.
Incorrect approach:
# Wrong: Trying to include multiple consecutive values
def findLHS_wrong(nums):
    frequency_map = Counter(nums)
    max_length = 0
  
    for number in frequency_map:
        # Wrong: checking if we can form a range
        current_length = frequency_map[number]
        if number - 1 in frequency_map:
            current_length += frequency_map[number - 1]
        if number + 1 in frequency_map:
            current_length += frequency_map[number + 1]
        max_length = max(max_length, current_length)
  
    return max_length
Why it's wrong: This might count three distinct values (number-1, number, number+1), but a harmonious array must have exactly a difference of 1 between max and min, meaning only two consecutive values are allowed.
Pitfall 3: Checking Both Directions Redundantly
Some solutions check both x+1 and x-1 for each number, leading to counting the same pair twice.
Incorrect approach:
# Wrong: Double counting pairs
def findLHS_wrong(nums):
    frequency_map = Counter(nums)
    max_length = 0
  
    for number, count in frequency_map.items():
        # Checking both directions causes double counting
        if number + 1 in frequency_map:
            max_length = max(max_length, count + frequency_map[number + 1])
        if number - 1 in frequency_map:
            max_length = max(max_length, count + frequency_map[number - 1])
  
    return max_length
Why it's problematic: While this gives the correct answer, it's inefficient because each pair (x, x+1) is evaluated twice - once when processing x and once when processing x+1. The solution only needs to check in one direction.
Correct Solution Reminder
The key insights for the correct solution are:
- A harmonious subsequence contains exactly two distinct consecutive integers
- Order doesn't matter - we just need counts
- Checking only x+1for eachxis sufficient to find all pairs
- The length is simply the sum of frequencies of the two consecutive numbers
Which algorithm should you use to find a node that is close to the root of the tree?
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
https assets algo monster cover_photos stack svg Sliding Window Maximum Monotonic Stack We have an array and a sliding window defined by a start index and an end index The sliding window moves from left of the array to right There are always k elements in the window The window
Coding Interview 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
Want a Structured Path to Master System Design Too? Don’t Miss This!