Leetcode.1475 商品折扣后的最终价格 (单调栈)

题目链接:https://leetcode.cn/problems/final-prices-with-a-special-discount-in-a-shop/

题目描述

给你一个数组 prices ,其中 prices[i] 是商店里第 i 件商品的价格。

商店里正在进行促销活动,如果你要买第 i 件商品,那么你可以得到与 prices[j] 相等的折扣,其中 j 是满足 j > i 且 prices[j] <= prices[i] 的 最小下标 ,如果没有满足条件的 j ,你将没有任何折扣。

请你返回一个数组,数组中第 i 个元素是折扣后你购买商品 i 最终需要支付的价格。

示例 1:

输入: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 。
商品 2 的价格为 price[2]=6 ,你将得到 prices[3]=2 的折扣,所以最终价格为 6 - 2 = 4 。
商品 3 和 4 都没有折扣。
示例 2:

输入:prices = [1,2,3,4,5]
输出:[1,2,3,4,5]
解释:在这个例子中,所有商品都没有折扣。
示例 3:

输入:prices = [10,1,1,6]
输出:[9,0,1,6]

 

提示:

1 <= prices.length <= 500
1 <= prices[i] <= 10^3

思路

        可以参考这篇题解,对单调栈讲解挺详细。https://leetcode.cn/problems/next-greater-element-i/solution/dan-diao-zhan-jie-jue-next-greater-number-yi-lei-w/

        此题就是求一个数往右第一个小于它的数是多少,典型单调栈算法,不清楚的可以先去学习单调栈再来做这题。

C++代码

class Solution {
public:
    vector finalPrices(vector& prices) {
        int idx = 0;
        vector res(prices.size());   //注意要先开辟price.size()的数组空间
        stack st;
        for(int i = prices.size() - 1; i >= 0; i--){
            while(!st.empty() and st.top() > prices[i]) st.pop();
            res[i] = st.empty() ? prices[i] : prices[i] - st.top();
            st.emplace(prices[i]);
        }
        return res;
    }
};

你可能感兴趣的:(Leetcode,leetcode,动态规划,算法,c++,数据结构)