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

Subarray With Elements Greater Than Varying Threshold

Difficulty: Hard


Problem Description

You are given an integer array nums and an integer threshold. Find any subarray of nums of length k such that every element in the subarray is greater than threshold / k. Return the size of any such subarray. If there is no such subarray, return -1. A subarray is a contiguous non-empty sequence of elements within an array.


Key Insights

  • The problem requires finding a contiguous subarray of a given length that meets a specific condition based on the threshold.
  • The condition involves comparing each element of the subarray to a dynamically calculated value (threshold / k).
  • We can use a sliding window approach to efficiently check subarrays of varying lengths.

Space and Time Complexity

Time Complexity: O(n) - We traverse the array once. Space Complexity: O(1) - We use a constant amount of space.


Solution

To solve the problem, we can utilize a sliding window approach. We will iterate through the array while maintaining a window of size k. For each window, we check if all elements are greater than threshold / k. If we find such a window, we return its size. If we traverse the entire array without finding a valid subarray, we return -1.


Code Solutions

def subarraySize(nums, threshold):
    n = len(nums)
    for k in range(1, n + 1):  # Try all possible lengths k
        limit = threshold / k  # Calculate threshold / k
        for i in range(n - k + 1):  # Check each subarray of length k
            if all(num > limit for num in nums[i:i + k]):
                return k  # Return the size of valid subarray
    return -1  # Return -1 if no valid subarray found
← Back to All Questions