leetcode 739 每日温度
题意:给出一个数组,返回一个vector
temperatures = [73,74,75,71,69,72,76,73]
st = []
单调栈原理建议b站灵茶学习.
C++ 逆序遍历版本
class Solution {
public:
vector<int> dailyTemperatures(vector<int>& temperatures) {
int n = temperatures.size();
vector<int> res(n, 0);
stack<int> st ;
for(int i = n-1;i>=0;i--){ // 倒序遍历
int temp = temperatures[i];
while(!st.empty() && temperatures[st.top()]<=temp){
st.pop();
}
if(!st.empty()){
res[i] = st.top()-i;
}
st.push(i);
}
return res;
}
};
C++ 正序遍历版本
class Solution {
public:
vector<int> dailyTemperatures(vector<int>& temperatures) {
int n = temperatures.size();
vector<int> res(n, 0);
stack<int> st ;
for(int i =0;i<n;i++){
int temp = temperatures[i];
while(!st.empty() && temperatures[st.top()]<temp ){
res[st.top()] = i-st.top();
st.pop();
}
st.push(i);
}
return res;
}
};
leetcode 1475. 商品折扣后的最终价格
题意:给你一个数组 prices ,其中 prices[i] 是商店里第 i 件商品的价格。
商店里正在进行促销活动,如果你要买第 i 件商品,那么你可以得到与 prices[j] 相等的折扣,其中 j 是满足 j > i 且
prices[j] <= prices[i] 的 最小下标 ,如果没有满足条件的 j ,你将没有任何折扣。
请你返回一个数组,数组中第 i 个元素是折扣后你购买商品 i 最终需要支付的价格。
Eg.
输入:prices = [8,4,6,2,3]
输出:[4,2,4,2,3]
商品 0 的价格为 price[0]=8 ,你将得到 prices[1]=4 的折扣,所以最终价格为 8 - 4 = 4 。
商品 1 的价格为 price[1]=4 ,你将得到 prices[3]=2 的折扣,所以最终价格为 4 - 2 = 2 。
标签:int,折扣,st,vector,temperatures,prices,单调
From: https://www.cnblogs.com/fakecoderLi/p/17988179