class Solution {
public:
int minSubArrayLen(int target, vector<int>& nums) {
}
};
剑指 Offer II 008. 和大于等于 target 的最短子数组
给定一个含有 n
个正整数的数组和一个正整数 target
。
找出该数组中满足其和 ≥ target
的长度最小的 连续子数组 [numsl, numsl+1, ..., numsr-1, numsr]
,并返回其长度。如果不存在符合条件的子数组,返回 0
。
示例 1:
输入:target = 7, nums = [2,3,1,2,4,3]
输出:2
解释:子数组 [4,3]
是该条件下的长度最小的子数组。
示例 2:
输入:target = 4, nums = [1,4,4] 输出:1
示例 3:
输入:target = 11, nums = [1,1,1,1,1,1,1,1] 输出:0
提示:
1 <= target <= 109
1 <= nums.length <= 105
1 <= nums[i] <= 105
进阶:
O(n)
时间复杂度的解法, 请尝试设计一个 O(n log(n))
时间复杂度的解法。
注意:本题与主站 209 题相同:https://leetcode.cn/problems/minimum-size-subarray-sum/
原站题解
golang 解法, 执行用时: 8 ms, 内存消耗: 3.9 MB, 提交时间: 2022-11-23 11:07:49
func minSubArrayLen(s int, nums []int) int { n := len(nums) if n == 0 { return 0 } ans := math.MaxInt32 sums := make([]int, n + 1) // 为了方便计算,令 size = n + 1 // sums[0] = 0 意味着前 0 个元素的前缀和为 0 // sums[1] = A[0] 前 1 个元素的前缀和为 A[0] // 以此类推 for i := 1; i <= n; i++ { sums[i] = sums[i - 1] + nums[i - 1] } for i := 1; i <= n; i++ { target := s + sums[i-1] bound := sort.SearchInts(sums, target) if bound < 0 { bound = -bound - 1 } if bound <= n { ans = min(ans, bound - (i - 1)) } } if ans == math.MaxInt32 { return 0 } return ans } func min(x, y int) int { if x < y { return x } return y }
python3 解法, 执行用时: 56 ms, 内存消耗: 17.7 MB, 提交时间: 2022-11-23 11:07:00
class Solution: def minSubArrayLen(self, s: int, nums: List[int]) -> int: ''' 前缀和 + 二分查找 ''' if not nums: return 0 n = len(nums) ans = n + 1 sums = [0] for i in range(n): sums.append(sums[-1] + nums[i]) for i in range(1, n + 1): target = s + sums[i - 1] bound = bisect.bisect_left(sums, target) if bound != len(sums): ans = min(ans, bound - (i - 1)) return 0 if ans == n + 1 else ans
golang 解法, 执行用时: 144 ms, 内存消耗: 3.6 MB, 提交时间: 2022-11-23 11:06:04
func minSubArrayLen(s int, nums []int) int { n := len(nums) if n == 0 { return 0 } ans := math.MaxInt32 for i := 0; i < n; i++ { sum := 0 for j := i; j < n; j++ { sum += nums[j] if sum >= s { ans = min(ans, j - i + 1) break } } } if ans == math.MaxInt32 { return 0 } return ans } func min(x, y int) int { if x < y { return x } return y }
python3 解法, 执行用时: 9124 ms, 内存消耗: 16.8 MB, 提交时间: 2022-11-23 10:59:15
class Solution: def minSubArrayLen(self, s: int, nums: List[int]) -> int: if not nums: return 0 n = len(nums) ans = n + 1 for i in range(n): total = 0 for j in range(i, n): total += nums[j] if total >= s: ans = min(ans, j - i + 1) break return 0 if ans == n + 1 else ans