【LeetCode】739. Daily Temperaturesスタックの使用


【LeetCode】739. Daily Temperaturesスタックの使用
Given a list of daily temperatures T, return a list such that, for each day in the input, tells you how many days you would have to wait until a warmer temperature. If there is no future day for which this is possible, put 0 instead.
For example, given the list of temperatures T = [73, 74, 75, 71, 69, 72, 76, 73], your output should be [1, 1, 4, 2, 1, 1, 0, 0].
構想
問題は,与えられた配列の各数と次のより大きな数のindexとの距離を算出することである.すなわち、[a,b,c]において、a>bかつc>aは、[2,1,0]を返す.単調スタック(最上位の要素は減算)を使用すると、Push要素の前にスタック最上位の要素が現在の要素より小さいかどうかを確認し、より小さい場合は差分値を計算して配列に挿入します.ステップアップはArrayDequeまたは配列で実現できます
インプリメンテーション
public int[] dailyTemperatures(int[] temperatures) {
     
    Stack<Integer> stack = new Stack<>();
    int[] result = new int[temperatures.length];
    for(int i = 0; i < temperatures.length; i++) {
     
    	//       index        
        while(!stack.isEmpty() && temperatures[i] > temperatures[stack.peek()]) {
     
            res[stack.peek()] = i - stack.pop();
        }
        //          index  
        stack.push(i);
    }
    return result;
}