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

Maximum Length of Subarray With Positive Product

Difficulty: Medium


Problem Description

Given an array of integers nums, find the maximum length of a subarray where the product of all its elements is positive. A subarray of an array is a consecutive sequence of zero or more values taken out of that array. Return the maximum length of a subarray with positive product.


Key Insights

  • A product is positive if it contains an even number of negative numbers.
  • Any zero in the array will reset the product, requiring a restart of the subarray count.
  • Maintain two lengths: one for the longest subarray with a positive product and one for the longest subarray with a negative product.
  • Iterate through the array while updating the lengths based on the current number.

Space and Time Complexity

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


Solution

We will use a single pass approach through the array to keep track of two variables: max_len for the maximum length of the subarray with a positive product, and neg_len for the length of the current subarray with a negative product. We will reset our counters whenever we encounter a zero. If we encounter a positive number, we will increment our positive subarray length, and if we encounter a negative number, we will swap our lengths accordingly. This approach ensures that we efficiently calculate the maximum length of the desired subarray.


Code Solutions

def getMaxLen(nums):
    max_len = 0
    pos_len = 0
    neg_len = 0

    for num in nums:
        if num > 0:
            pos_len += 1
            neg_len += 1 if neg_len > 0 else 0
        elif num < 0:
            new_pos_len = neg_len + 1 if neg_len > 0 else 0
            neg_len = pos_len + 1
            pos_len = new_pos_len
        else:
            pos_len = 0
            neg_len = 0
        
        max_len = max(max_len, pos_len)
    
    return max_len
← Back to All Questions