1- 思路
单调栈
- 寻找当前位置的下一个比他大的元素的位置
- 利用 Stack 栈维护一个单调栈
2- 实现
⭐739. 每日温度——题解思路
data:image/s3,"s3://crabby-images/202e7/202e7a4899877184af12d1fb268a23b2060a5d87" alt="在这里插入图片描述"
class Solution {
public int[] dailyTemperatures(int[] temperatures) {
int len = temperatures.length;
int[] res = new int[len];
if(len == 0 || temperatures==null){
return res;
}
Stack<Integer> st = new Stack<>();
st.push(0);
for(int i = 1 ; i < len ; i++){
int nowNum = temperatures[i];
if(nowNum<= temperatures[st.peek()]){
st.push(i);
}else{
while(!st.isEmpty() && nowNum > temperatures[st.peek()]){
res[st.peek()] = i-st.peek();
st.pop();
}
st.push(i);
}
}
return res;
}
}
3- ACM 实现
public class temperature {
public static int[] dailyT(int[] temperature){
int len = temperature.length;
int[] res = new int[len];
if(len==0 || temperature== null){
return res;
}
Stack<Integer> st = new Stack<>();
st.push(0);
for(int i = 1 ; i < len;i++){
int nowNum = temperature[i];
if(nowNum<= temperature[st.peek()]){
st.push(i);
}else{
while (!st.isEmpty() && nowNum>temperature[st.peek()]){
res[st.peek()] = i - st.peek();
st.pop();
}
st.push(i);
}
}
return res;
}
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
String input = sc.nextLine();
String[] parts = input.split(" ");
int[] nums = new int[parts.length];
for(int i = 0 ; i < parts.length;i++){
nums[i] = Integer.parseInt(parts[i]);
}
int[] res = dailyT(nums);
for(int i:res){
System.out.print(i+" ");
}
}
}