Day59 503.下一个更大元素II 42. 接雨水

文章目录

  • 503.下一个更大元素II
  • 42. 接雨水

503.下一个更大元素II

https://leetcode.cn/problems/next-greater-element-ii/
如何处理循环数组:将两个nums数组拼接在一起,使用单调栈计算出每一个元素的下一个最大值,最后再把结果集即result数组resize到原数组大小就可以了。
Resize倒是不费时间,是O(1)的操作,但扩充nums数组相当于多了一个O(n)的操作。也可以不扩充nums,而是在遍历的过程中模拟走了两边nums。

class Solution {
public:
    vector<int> nextGreaterElements(vector<int>& nums) {
        vector<int> res(nums.size(), -1);
        if(nums.size() == 0) return res;
        stack<int> st;
        st.push(0);
        for(int i = 1; i < nums.size() * 2; i++){
            if(nums[i % nums.size()] <= nums[st.top()]) st.push(i % nums.size());
            else{
                while(!st.empty() && nums[i % nums.size()] > nums[st.top()]){
                    res[st.top()] = nums[i % nums.size()];
                    st.pop();
                }
                st.push(i % nums.size());
            }
        }
        return res;
    }
};

42. 接雨水

https://leetcode.cn/problems/trapping-rain-water/
单调栈:需要寻找一个元素,右边最大元素以及左边最大元素,来计算雨水面积。

class Solution {
public:
    int trap(vector<int>& height) {
        stack<int> st;
        st.push(0);
        int sum = 0;
        for(int i = 1; i < height.size(); i++){
            if(height[i] <= height[st.top()]) st.push(i);
            else{
                while(!st.empty() && height[i] > height[st.top()]){
                    int mid = st.top();
                    st.pop();
                    if(!st.empty()){
                        int h = min(height[i], height[st.top()]) - height[mid];
                        int w = i - st.top() - 1;
                        sum += h * w;
                    }
                }
                st.push(i);
            }
        }
        return sum;
    }
};

你可能感兴趣的:(算法)