LeetCode 209. Minimum Size Subarray Sum
Description
Given an array of n positive integers and a positive integer s, find the minimal length of a contiguous subarray of which the sum ≥ s. If there isn’t one, return 0 instead.
For example, given the array [2,3,1,2,4,3] and s = 7,
the subarray [4,3] has the minimal length under the problem constraint.
class Solution {
public int minSubArrayLen(int s, int[] nums) {
int i = 0, j = -1;
int ans = nums.length + 1;
int sum = 0;
while (i < nums.length) {
if(sum < s && j + 1 < nums.length) {
sum += nums[++j];
}
else {
sum -= nums[i++];
}
if(sum >= s) {
ans = Math.min(ans, j - i + 1);
}
}
if (ans == nums.length + 1)
return 0;
return ans;
}
}
本文介绍了解决LeetCode 209题目的方法,该题目要求找到一个连续子数组,使得其元素之和大于等于给定的目标值,并返回满足条件的最小子数组长度。通过滑动窗口算法实现,有效地解决了这一问题。

1219

被折叠的 条评论
为什么被折叠?



