Bootstrap

LeetCode 84. 柱状图中最大的矩形

LeetCode 84. 柱状图中最大的矩形

题目描述

给定 n 个非负整数,用来表示柱状图中各个柱子的高度。每个柱子彼此相邻,且宽度为 1 。
求在该柱状图中,能够勾勒出来的矩形的最大面积。
  示例 1:
  输入:heights = [2,1,5,6,2,3]
  输出:10
  解释:最大的矩形为图中红色区域,面积为 10

LeetCode 84. 柱状图中最大的矩形
提示:

    1 <= heights.length <=105
    0 <= heights[i] <= 104

一、解题关键词


二、解题报告

1.思路分析

2.时间复杂度

3.代码示例

class Solution {
public int largestRectangleArea(int[] heights) {
        int len = heights.length;
        int res = 0;
        int[] left = new int[len];
        int[] right = new int[len];
        Arrays.fill(right, len);

        Deque<Integer> stack = new ArrayDeque<Integer>();
        for (int i = 0; i < len; i++) {
            while (!stack.isEmpty() && heights[stack.peek()] > heights[i]) {
                right[stack.peek()] = i;
                stack.pop();
            }
            left[i] = (stack.isEmpty()) ? -1 : stack.peek();
            stack.push(i);
        }
        for (int i = 0; i < len; i++) {
            res = Math.max(res, (right[i] - left[i] - 1) * heights[i]);
        }

        return res;

    }
}

2.知识点



总结

相同题目

xxx

;