739. 每日温度

根据每日 气温 列表,请重新生成一个列表,对应位置的输入是你需要再等待多久温度才会升高的天数。如果之后都不会升高,请输入 0 来代替。

例如,给定一个列表 temperatures = [73, 74, 75, 71, 69, 72, 76, 73],你的输出应该是 [1, 1, 4, 2, 1, 1, 0, 0]。

提示:气温 列表长度的范围是 [1, 30000]。每个气温的值的都是 [30, 100] 范围内的整数。

解法1:

思路: 在看栈这个数据结构的时候碰到这题,没想出怎么使用栈来解决,最终使用下面这种两个下标来遍历的方法。这个方法缺点在于这一个数组我要来回遍历多次,所以效率低,执行时间长。

class Solution {
    public int[] dailyTemperatures(int[] temperatures) {
        int[] m =new int[temperatures.length];
        for(int i=0;i<temperatures.length;i++){
            int j = i+1;
            while(j<temperatures.length && temperatures[i]>=temperatures[j] ){
                j++;
            }
            if(j ==temperatures.length){
                m[i] = 0;
            }else{
                m[i] = j-i;
            }
        }
        return m;
    }
}

解法2:

思路: 该方法使用栈解决,使用栈记录下标,这样只需要走一遍就能完成。

class Solution {
public int[] dailyTemperatures(int[] temperatures)
{
   Stack<Integer> stack = new Stack<>();

   int size = temperatures.length;
   int[] result = new int[size];
   Arrays.fill(result,0);

   for (int i = 0; i < size; i++)
   {
       while (!stack.isEmpty() && temperatures[stack.peek()] < temperatures[i])
       {
           int t = stack.pop();
           result[t] = i - t;
       }
       stack.push(i);
   }

   return result;
}
}
    原文作者:coder_flag
    原文地址: https://www.jianshu.com/p/432ca7fe7e3a
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞