当前位置: 代码迷 >> 综合 >> POJ - 2559 Largest Rectangle in a Histogram(笛卡尔树,单调栈实现)
  详细解决方案

POJ - 2559 Largest Rectangle in a Histogram(笛卡尔树,单调栈实现)

热度:74   发布时间:2024-02-13 12:56:53.0

题目链接:点击查看

题目大意:给出一排高度不同,宽度都为 1 的矩形,问拼起来后最大的矩形面积是多少

题目分析:普通做法是用单调栈直接维护,我一直觉得单调栈处理这种矩形问题都比较抽象,也可能是我太菜了,这个题目恰好发现可以用笛卡尔树实现,拿来练练手,根据笛卡尔树的性质,对于每个矩形,以出现的下标为 key ,高度为 val ,维护一个小顶堆的笛卡尔树,那么对于树上每个节点的 val 乘以子树的大小就是当前节点可以做出的贡献,维护一下最大值就是答案了

为了防止特殊情况的出现,可以预处理在单调栈中加入一个负无穷的哨兵节点

代码:

#include<iostream>
#include<cstdio>
#include<string>
#include<ctime>
#include<cmath>
#include<cstring>
#include<algorithm>
#include<stack>
#include<climits>
#include<queue>
#include<map>
#include<set>
#include<sstream>
#include<cassert>
#include<bitset>
using namespace std;typedef long long LL;typedef unsigned long long ull;const int inf=0x3f3f3f3f;const int N=1e5+100;struct Node
{int l,r,val;
}tree[N];stack<int>s;LL ans;void insert(int x)
{while(s.size()&&tree[s.top()].val>tree[x].val)s.pop();tree[x].l=tree[s.top()].r;//x->lsontree[s.top()].r=x;//fa->x(rson)s.push(x);
}void dfs(int k,int l,int r)
{ans=max(ans,1LL*tree[k].val*(r-l+1));if(tree[k].l)dfs(tree[k].l,l,k-1);if(tree[k].r)dfs(tree[k].r,k+1,r);
}void init(int n)
{for(int i=1;i<=n;i++)tree[i].l=tree[i].r=0;while(s.size())s.pop();tree[0].val=-inf;tree[0].l=tree[0].r=0;s.push(0);
}int main()
{
#ifndef ONLINE_JUDGE
//  freopen("data.in.txt","r",stdin);
//  freopen("data.out.txt","w",stdout);
#endif
//  ios::sync_with_stdio(false);int n;while(scanf("%d",&n)!=EOF&&n){init(n);for(int i=1;i<=n;i++){scanf("%d",&tree[i].val);insert(i);}ans=0;dfs(0,1,n);printf("%lld\n",ans);}return 0;
}

 

  相关解决方案