LeetCode 84. 柱状图中最大的矩形
class Solution {
public int largestRectangleArea(int[] heights) {
int[] minLeftIndex = new int[heights.length];
int[] minRightIndex = new int[heights.length];
int length = heights.length;
// 记录每个柱子,左边第一个小于该柱子的下标
minLeftIndex[0] = -1;
for (int i = 1; i < length; i++) {
int t = i - 1;
while (t >= 0 && heights[t] >= heights[i]) {
t = minLeftIndex[t];
}
minLeftIndex[i] = t;
}
// 记录每个柱子 右边第一个小于该柱子的坐标
minRightIndex[length - 1] = length; // 注意这里初始化,防止下面while死循环
for (int i = length - 2; i >= 0; i--) {
int t = i + 1;
while (t < length && heights[t] >= heights[i]) {
t = minRightIndex[t];
}
minRightIndex[i] = t;
}
// 求和
int result = 0;
for (int i = 0; i < length; i++) {
int sum = heights[i] * (minRightIndex[i] - minLeftIndex[i] - 1);
result = Math.max(sum, result);
}
return result;
}
}
class Solution {
public int largestRectangleArea(int[] heights) {
Stack<Integer> st = new Stack<>();
// 数组扩容,在头尾各加入一个元素
int[] newHeights = new int[heights.length + 2];
newHeights[0] = 0;
newHeights[newHeights.length - 1] = 0;
for (int index = 0; index < heights.length;index++) {
newHeights[index + 1] = heights[index];
}
heights = newHeights;
st.push(0);
int result = 0;
for (int i = 1; i < heights.length; i++) {
if (heights[i] > heights[st.peek()]) {
st.push(i);
} else if (heights[i] == heights[st.peek()]) {
st.pop();
st.push(i);
} else {
while (heights[i] < heights[st.peek()]) {
int mid = st.peek();
st.pop();
int left = st.peek();
int right = i;
int w = right - left - 1;
int h = heights[mid];
result = Math.max(result, w * h);
}
st.push(i);
}
}
return result;
}
}