LeetCode 862. Shortest Subarray with Sum at Least K
Question
Given an integer array nums
and an integer k
, return the length of the shortest non-empty subarray of nums
with a sum of at least k
. If there is no such subarray, return -1
.
A subarray is a contiguous part of an array.
Example 1:
1 | Input: nums = [1], k = 1 |
Example 2:
1 | Input: nums = [1,2], k = 4 |
Example 3:
1 | Input: nums = [2,-1,2], k = 3 |
Constraints:
1 <= nums.length <= 105
-105 <= nums[i] <= 105
1 <= k <= 109
Source: https://leetcode.com/problems/shortest-subarray-with-sum-at-least-k/
Solution
We use prefix sum to simplify the sum of subarray. The sum of any subarray can be calculated from prefix sum. This idea is similar to the usage of common prefix/suffix in LeetCode 718. Maximum Length of Repeated Subarray.
We use a for loop to traverse ends of prefix sums prefixSums[y]
, a monotonic queue to maintain starts of prefix sums prefixSums[x]
. For valid combinations of prefix sums (i.e. prefixSums[y]-prefixSums[x]>=k
), smaller y
, larger x
and larger prefixSums[x]
have advantage.
1 | // 2D DP, O(n^2), Memory Limit Exceeded |
LeetCode 862. Shortest Subarray with Sum at Least K
http://yenotes.org/2022/01/09/LeetCode-862-Shortest-Subarray-with-Sum-at-Least-K/