We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Subsequences with a Unique Middle Mode I

Difficulty: Hard


Problem Description

Given an integer array nums, find the number of subsequences of size 5 of nums with a unique middle mode. A mode of a sequence is defined as the element that appears the maximum number of times in the sequence. A sequence of numbers contains a unique mode if it has only one mode. A sequence of size 5 contains a unique middle mode if the middle element is a unique mode. Return the result modulo 10^9 + 7.


Key Insights

  • The middle element of the subsequence (index 2) must be the highest frequency element for it to be a unique middle mode.
  • The counts of elements can be efficiently stored in a hashmap or frequency array.
  • Use combinatorial counting to determine the number of valid subsequences based on the frequency of the middle element and the remaining elements.

Space and Time Complexity

Time Complexity: O(n^2)
Space Complexity: O(n)


Solution

To solve the problem, we utilize a frequency map to track how many times each number appears in the input array. We then iterate through each unique element in the array and treat it as a candidate for the middle mode. For each candidate, we calculate the number of ways to select 2 additional elements less than the middle mode and 2 greater than it, ensuring that no other elements can match the frequency of the middle mode. We sum these counts for all unique candidates and return the total modulo 10^9 + 7.


Code Solutions

def countSubsequencesWithUniqueMiddleMode(nums):
    from collections import Counter
    from math import comb

    MOD = 10**9 + 7
    n = len(nums)
    freq = Counter(nums)
    unique_nums = sorted(freq.keys())
    result = 0

    for mid in unique_nums:
        mid_count = freq[mid]
        if mid_count < 3:
            continue  # Need at least 3 of mid to be the unique mode
        
        left_count = sum(freq[x] for x in unique_nums if x < mid)
        right_count = sum(freq[x] for x in unique_nums if x > mid)

        # Count combinations of choosing 2 from left and right
        result += mid_count * comb(mid_count - 1, 2) * comb(left_count, 2) * comb(right_count, 2)
        result %= MOD

    return result
← Back to All Questions