题目
给你一个整数数组 nums 和一个整数 k ,找出 nums 中和至少为 k 的 最短非空子数组 ,并返回该子数组的长度。如果不存在这样的 子数组 ,返回 -1 。
子数组 是数组中 连续 的一部分。
示例 1:
输入:nums = [1], k = 1
输出:1
解
class Solution {// 注意数组有正数,有负数public int shortestSubarray(int[] nums, int k) {int n = nums.length;// 注意为long型,不然有溢出风险long[] preSum = new long[n + 1];for (int i = 0; i < n; i++) {preSum[i + 1] = preSum[i] + nums[i];}Deque<Integer> queue = new ArrayDeque<>();int min = Integer.MAX_VALUE;for (int i = 0; i <= n; i++) {// 注意为long型,不然有溢出风险long curSum = preSum[i];// 双端队列,计算最小值,并从头部移除元素(计算了最小值,这个元素就没意义了)while (!queue.isEmpty() && curSum - preSum[queue.peekFirst()] >= k) {min = Math.min(min, i - queue.pollFirst());}// 双端队列,之前尾部的元素的值比当前元素大,那么之前的一定不是最小子数组,移除之前的,保证queue中单调递增while (!queue.isEmpty() && preSum[queue.peekLast()] >= curSum) {queue.pollLast();}queue.offerLast(i);}return min == Integer.MAX_VALUE ? -1 : min;}
}