给你一个整数数组 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
解
经过我的一顿操作,成功暴力出37个测试用例,但是总共51个测试用例,到k=50000就超时不行了,下面是我的暴力解法
class Solution {
public int[] maxSlidingWindow(int[] nums, int k) {
double max = -Math.pow(10, 4);
// 特殊情况,当数组长度小于等于滑动窗口长度时,返回值即为数组的最大值
if (nums.length <= k) {
for (int i = 0; i < nums.length; i++) {
max = Math.max(max, nums[i]);
}
return new int[]{(int)max};
}
// 定义结果表,规律1-8,2-7,3-6,4-5,5-4,6-3
int[] resultNums = new int[nums.length + 1 - k];
// 定义一个滑动窗口
int[] moveNums = new int[k];
for (int i = 0; i < nums.length + 1 - k; i++) {
for (int j = 0; j < k;j++) {
moveNums[j] = nums[i + j];
max = Math.max(max, moveNums[j]);
}
resultNums[i] = (int)max;
max = -Math.pow(10, 4);
}
return resultNums;
}
}
看了官方题解,三种方法:优先队列、单调队列、分块+预处理,过,下次再看