1、前言
题目描述2、思路
使用单调栈的思路,从左往右依次遍历,只不过 stack 记录的不是数字,而是数组索引,因为得到的结果保存的是两个数字之间的距离,直接用 stack 中的索引与当前数字的索引相减即可。
3、代码
class Solution {
public int[] dailyTemperatures(int[] T) {
int[] res = new int[T.length];
Stack<Integer> stack = new Stack<>();
for (int i = T.length - 1; i >= 0; i--) {
while(!stack.isEmpty() && T[i] >= T[stack.peek()]){
stack.pop();
}
res[i] = stack.isEmpty() ? 0 : stack.peek() - i;
stack.push(i);
}
return res;
}
}
网友评论