862. 和至少为 K 的最短子数组

思路:
非典型单调队列
先维护一个前缀和
维护单调递增队列,遍历到当前元素x时,从队尾弹出比x大的元素y,因为后续能与y匹配的元素,与x也一定能匹配。
从队头开始处理,如果队头元素zx满足x - z >= k时,更新结果,并将z从队头弹出,因为能与x匹配,没必要再与后面的元素再匹配,不会对结果造成影响。
每个元素只会进队出队一次,时间复杂度为O(n)
注意一开始会有个0被填入,表示从头到当前元素这一段。

  1. class Solution {
  2. public int shortestSubarray(int[] nums, int k) {
  3. int n = nums.length;
  4. long[] pre = new long[n + 1];
  5. for (int i = 1; i <= n; i++)
  6. pre[i] = nums[i - 1] + pre[i - 1];
  7. int[] q = new int[n + 1];
  8. int hh = 0, tt = -1;
  9. int res = 0x3f3f3f3f;
  10. for (int i = 0; i <= n; i++) {
  11. // System.out.println(hh + " " + tt);
  12. while (hh <= tt && pre[i] - pre[q[hh]] >= k) {
  13. res = Math.min(res, i - q[hh]);
  14. hh++;
  15. }
  16. while (hh <= tt && pre[q[tt]] >= pre[i])
  17. tt--;
  18. q[++tt] = i;
  19. }
  20. return res == 0x3f3f3f3f ? -1 : res;
  21. }
  22. }

239. 滑动窗口最大值

给你一个整数数组 nums,有一个大小为 k 的滑动窗口从数组的最左侧移动到数组的最右侧。你只可以看到在滑动窗口内的 k 个数字。滑动窗口每次只向右移动一位。
返回 滑动窗口中的最大值

示例 1:
输入:nums = [1,3,-1,-3,5,3,6,7], k = 3 输出:[3,3,5,5,6,7]
解释:
滑动窗口的位置 最大值
———————- ——-
[1 3 -1] -3 5 3 6 7 3
1 [3 -1 -3] 5 3 6 7 3
1 3 [-1 -3 5] 3 6 7 5
1 3 -1 [-3 5 3] 6 7 5
1 3 -1 -3 [5 3 6] 7 6
1 3 -1 -3 5 [3 6 7] 7
示例 2:
输入:nums = [1], k = 1 输出:[1]

提示:

  • 1 <= nums.length <= 105
  • -104 <= nums[i] <= 104
  • 1 <= k <= nums.length

思路:滑动窗口 + 双端单调队列

  1. class Solution {
  2. public:
  3. vector<int> maxSlidingWindow(vector<int>& nums, int k) {
  4. int n = nums.size();
  5. int stk[n];
  6. int hh = 0, tt = -1;
  7. vector<int> res;
  8. for (int i = 0; i < n; i++) {
  9. while (hh <= tt && nums[stk[tt]] <= nums[i])
  10. tt--;
  11. if (hh <= tt && stk[hh] <= i - k)
  12. hh++;
  13. stk[++tt] = i;
  14. if (i >= k - 1)
  15. res.push_back(nums[stk[hh]]);
  16. }
  17. return res;
  18. }
  19. };

6143. 预算内的最多机器人数目

双端单调递减序列

  1. class Solution {
  2. public int maximumRobots(int[] e, int[] w, long budget) {
  3. int n = e.length;
  4. int[] stk = new int[n];
  5. int hh = 0, tt = -1;
  6. long s = 0;
  7. int max = 0;
  8. for (int i = 0, j = 0; i < n; i++) {
  9. s += w[i];
  10. while (hh <= tt && e[stk[tt]] <= e[i])
  11. tt--;
  12. stk[++tt] = i;
  13. while (hh <= tt && s * (i - j + 1) > budget - e[stk[hh]]) {
  14. if (stk[hh] == j) hh++;
  15. s -= w[j];
  16. j++;
  17. }
  18. max = Math.max(max, i - j + 1);
  19. }
  20. return max;
  21. }
  22. }