题解:本题主要考查线段树维护01序列的操作
简要题意:1——n全为0的序列,有m个操作。1:找到长度为x的连续0,并改为1,输出最左的序号。2:x—x+y-1改为0
1:线段树:找最长的0序列,又有区间修改,用线段树维护左右最长值,再左右值合并,注意细节!
代码如下:
#include<iostream>
#include<algorithm>
using namespace std;
struct N
{
int lmx,rmx,ans,lai,size;
}tree[499567];
int n,m,a,b,c;
void pushup(int p)
{
if(tree[p*2].ans==tree[p*2].size)//左区间全为空房
tree[p].lmx=tree[p*2].ans+tree[p*2+1].lmx;
else tree[p].lmx=tree[p*2].lmx;
if(tree[p*2+1].ans==tree[p*2+1].size)//右区间全为空房
tree[p].rmx=tree[p*2+1].ans+tree[p*2].rmx;
else tree[p].rmx=tree[p*2+1].rmx;
tree[p].ans=max(max(tree[p*2].ans,tree[p*2+1].ans),tree[p*2].rmx+tree[p*2+1].lmx); //寻找最大值
return ;
}
void build(int p,int l,int r)
{
tree[p].lai=0;
tree[p].ans=tree[p].lmx=tree[p].rmx=tree[p].size=r-l+1;
if(l==r)return ;
int mid=l+r>>1;
build(p*2,l,mid);
build(p*2+1,mid+1,r);
pushup(p);
}
void lazy(int p,int l,int r)
{
if(tree[p].lai==0)return ;
if(tree[p].lai==1)//开房间
{
tree[p*2].lai=tree[p*2+1].lai=1;
tree[p*2].ans=tree[p*2].lmx=tree[p*2].rmx=0;
tree[p*2+1].ans=tree[p*2+1].lmx=tree[p*2+1].rmx=0;
}
if(tree[p].lai==2)//退房间
{
tree[p*2].lai=tree[p*2+1].lai=2;
tree[p*2].ans=tree[p*2].lmx=tree[p*2].rmx=tree[p*2].size;
tree[p*2+1].ans=tree[p*2+1].lmx=tree[p*2+1].rmx=tree[p*2+1].size;
}
tree[p].lai=0;
}
void change(int p,int l,int r,int x,int y,int z)
{
if(l>=x&&r<=y)
{
if(z==1)tree[p].ans=tree[p].lmx=tree[p].rmx=0;
else tree[p].ans=tree[p].lmx=tree[p].rmx=tree[p].size;
tree[p].lai=z;
return ;
}
lazy(p,l,r);
int mid=l+r>>1;
if(x<=mid)change(p*2,l,mid,x,y,z);
if(y>mid) change(p*2+1,mid+1,r,x,y,z);
pushup(p);
}
int ask(int p,int l,int r,int z)
{
if(l==r)return l;
lazy(p,l,r);
int mid=l+r>>1;
if(tree[p*2].ans>=z)return ask(p*2,l,mid,z);//如果左区间有足够多的房间,就在左区间找
if(tree[p*2].rmx+tree[p*2+1].lmx>=z)return mid-tree[p*2].rmx+1;//在中间找到足够多的房间
else return ask(p*2+1,mid+1,r,z);//如果右区间有足够多的房间,就在右区间找
}
int main()
{
cin>>n>>m;
build(1,1,n);
for(int i=1;i<=m;i++)
{
cin>>c;
if(c==1)
{
cin>>b;
if(tree[1].ans>=b)
{
a=ask(1,1,n,b);
cout<<a<<endl;change(1,1,n,a,b+a-1,1);
}
else cout<<"0"<<endl;
}
else if(c==2)
{
cin>>a>>b;
change(1,1,n,a,b+a-1,2);
}
}
return 0;
}