-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy path239.Sliding-Window-Maximum.java
53 lines (45 loc) · 1.37 KB
/
239.Sliding-Window-Maximum.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
// https://leetcode.com/problems/sliding-window-maximum/
//
// algorithms
// Hard (37.85%)
// Total Accepted: 152,428
// Total Submissions: 402,716
// beats 88.66% of java submissions
class Solution {
public int[] maxSlidingWindow(int[] nums, int k) {
int length = nums.length;
if (length == 0 || k == 0) {
return new int[]{};
}
int[] res = new int[length - k + 1];
LinkedList<Integer> stack = new LinkedList<>();
for (int i = 0; i < k; i++) {
while (stack.size() > 0) {
if (nums[i] >= nums[stack.peekLast()]) {
stack.pollLast();
} else {
break;
}
}
stack.offer(i);
}
int resIdx = 0;
for (int i = k; i < length; i++) {
res[resIdx] = nums[stack.peekFirst()];
resIdx++;
if ((i - stack.peekFirst() + 1) > k) {
stack.pollFirst();
}
while (stack.size() > 0) {
if (nums[i] >= nums[stack.peekLast()]) {
stack.pollLast();
} else {
break;
}
}
stack.offer(i);
}
res[resIdx] = nums[stack.peekFirst()];
return res;
}
}