摘要:双指针复杂度时间空间思路我们用两个指针维护一个窗口,保证这个窗口的内的和是小于目标数的。如果和仍小于目标数,则将窗口右边界右移。另外,如果左边界大于右边界时,说明最短子串的长度已经小于等于,我们就不用再查找了。
Minimum Size Subarray Sum
双指针 复杂度Given an array of n positive integers and a positive integer s, find the minimal length of a 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.
时间 O(N) 空间 O(1)
思路我们用两个指针维护一个窗口,保证这个窗口的内的和是小于目标数的。如果新来的数加上后,和大于目标,则比较下当前窗口长度和最短窗口长度,窗口左边界右移。如果和仍小于目标数,则将窗口右边界右移。注意这里退出的条件,右边界是小于等于长度,因为我们窗口到了最右侧时,还需要继续左移左边界来看有没有更优的解法。另外,如果左边界大于右边界时,说明最短子串的长度已经小于等于1,我们就不用再查找了。
注意循环的判断条件是right <= nums.length && left <= right
代码public class Solution { public int minSubArrayLen(int s, int[] nums) { if(nums.length == 0) return 0; int left = 0, right = 0, sum = 0, minLen = nums.length + 1; while(right <= nums.length && left <= right){ if(sum < s){ // 当右边界等于长度时,我们要多等一轮,等待左边界左移,这时候不能加 if(right < nums.length){ sum += nums[right]; } right++; } else { // 当和大于等于目标时,检查长度并左移边界 minLen = Math.min(minLen, right - left); sum -= nums[left]; left++; } } return minLen <= nums.length ? minLen : 0; } }
文章版权归作者所有,未经允许请勿转载,若此文章存在违规行为,您可以联系管理员删除。
转载请注明本文地址:https://www.ucloud.cn/yun/66174.html
Problem 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 isnt one, return 0 instead. Example: Input: s =...
摘要:如果不存在符合条件的连续子数组,返回。示例输入输出解释子数组是该条件下的长度最小的连续子数组。截取从索引到索引的数组,该数组之和若小于,则继续后移,直到大于等于。记录与差值返回的目标数。之后后移一位继续刷新新数组。 公众号: 爱写bug(ID:icodebugs)作者:爱写bug 给定一个含有 n 个正整数的数组和一个正整数 s ,找出该数组中满足其和 ≥ s 的长度最小的连续子数组...
摘要:如果不存在符合条件的连续子数组,返回。示例输入输出解释子数组是该条件下的长度最小的连续子数组。截取从索引到索引的数组,该数组之和若小于,则继续后移,直到大于等于。记录与差值返回的目标数。之后后移一位继续刷新新数组。 公众号: 爱写bug(ID:icodebugs)作者:爱写bug 给定一个含有 n 个正整数的数组和一个正整数 s ,找出该数组中满足其和 ≥ s 的长度最小的连续子数组...
摘要:如果不存在符合条件的连续子数组,返回。示例输入输出解释子数组是该条件下的长度最小的连续子数组。截取从索引到索引的数组,该数组之和若小于,则继续后移,直到大于等于。记录与差值返回的目标数。之后后移一位继续刷新新数组。 算法是一个程序的灵魂 公众号:爱写bug(ID:icodebugs)作者:爱写bug 给定一个含有 n 个正整数的数组和一个正整数 s ,找出该数组中满足其和 ≥ s 的...
摘要:如果不存在符合条件的连续子数组,返回。示例输入输出解释子数组是该条件下的长度最小的连续子数组。截取从索引到索引的数组,该数组之和若小于,则继续后移,直到大于等于。记录与差值返回的目标数。之后后移一位继续刷新新数组。 算法是一个程序的灵魂 公众号:爱写bug(ID:icodebugs)作者:爱写bug 给定一个含有 n 个正整数的数组和一个正整数 s ,找出该数组中满足其和 ≥ s 的...
阅读 2341·2021-10-14 09:43
阅读 2397·2021-09-09 09:34
阅读 1577·2019-08-30 12:57
阅读 1183·2019-08-29 14:16
阅读 691·2019-08-26 12:13
阅读 3179·2019-08-26 11:45
阅读 2258·2019-08-23 16:18
阅读 2615·2019-08-23 15:27