根據(jù)每日 氣溫 列表鳍贾,請重新生成一個列表,對應位置的輸入是你需要再等待多久溫度才會升高的天數(shù)官撼。如果之后都不會升高,請輸入 0 來代替橙弱。
例如歧寺,給定一個列表 temperatures = [73, 74, 75, 71, 69, 72, 76, 73]燥狰,你的輸出應該是 [1, 1, 4, 2, 1, 1, 0, 0]棘脐。
class Solution {
public:
vector<int> dailyTemperatures(vector<int>& T) {
vector<int> t(T.size(), 0);
//借助一個棧做輔助斜筐,實現(xiàn)了跨索引的比較, 這樣一次遍歷就可以比較所有成員
stack<int> s;
for(int i = 0; i < T.size(); i++) {
while(!s.empty() && T[i] > T[s.top()]) {
t[s.top()] = i - s.top();
s.pop();
}
s.push(i);
}
return t;
}
};