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

Count Number of Special Subsequences

Difficulty: Hard


Problem Description

Given an array nums consisting of only integers 0, 1, and 2, return the number of different subsequences that are special. A sequence is special if it consists of a positive number of 0s, followed by a positive number of 1s, and then a positive number of 2s. Return the answer modulo 10^9 + 7.


Key Insights

  • A special subsequence must have at least one 0, one 1, and one 2, in that order.
  • The order of 0s, 1s, and 2s in the subsequence must be preserved as per their positions in the original array.
  • To count subsequences efficiently, we can use combinatorial counting based on the number of occurrences of 0, 1, and 2.
  • Dynamic programming can be leveraged to keep track of valid subsequences as we iterate through the array.

Space and Time Complexity

Time Complexity: O(n)
Space Complexity: O(1)


Solution

The approach involves iterating through the array while maintaining counts of the number of 0s, 1s, and 2s encountered so far. We can use these counts to compute the number of special subsequences by considering each position of 2s and how many valid pairs of 0s and 1s can precede them.

  1. Initialize counters for count0, count1, and count2 to track the occurrences of 0, 1, and 2 respectively.
  2. For each 2 encountered, calculate the number of valid 0,1 pairs that can be formed using count0 and count1.
  3. Use modulo 10^9 + 7 to keep the results within bounds.
  4. The final result will be the sum of all valid special subsequences.

Code Solutions

def countSpecialSubsequences(nums):
    MOD = 10**9 + 7
    count0 = count1 = count2 = 0
    result = 0

    for num in nums:
        if num == 0:
            count0 = (count0 * 2 + 1) % MOD  # Each 0 can either be included or not
        elif num == 1:
            count1 = (count1 * 2 + count0) % MOD  # Include 1 and all valid 0 pairs
        elif num == 2:
            result = (result + count1) % MOD  # Each 2 can form valid subsequences with all 1s

    return result
← Back to All Questions