1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137
| #include<bits/stdc++.h> using namespace std; #define endl "\n" typedef long long ll; const int maxn=2e5+5; int n,m; int a[maxn]; ll tree[maxn<<5]; int son[maxn<<5][2],rub[maxn<<2],cnt,top; int root[maxn<<2],tot; int new_node() { if(top) return rub[top--]; return ++cnt; } void del(int &x) { tree[x]=son[x][0]=son[x][1]=0; rub[++top]=x; x=0; } void push_up(int x) {tree[x]=tree[son[x][0]]+tree[son[x][1]];} void build(int &x,int l,int r) { if(!x) x=new_node(); if(l==r) { tree[x]=a[l]; return; } int mid=(l+r)/2; build(son[x][0],l,mid); build(son[x][1],mid+1,r); push_up(x); } void add(int &x,int l,int r,int q,int val) { if(!x) x=new_node(); if(l==r) { tree[x]+=val; return; } int mid=(l+r)/2; if(mid>=q) add(son[x][0],l,mid,q,val); else add(son[x][1],mid+1,r,q,val); push_up(x); } ll query(int x,int l,int r,int nl,int nr) { if(l>=nl&&r<=nr) return tree[x]; int mid=(l+r)/2; ll res=0; if(mid>=nl) res+=query(son[x][0],l,mid,nl,nr); if(mid<nr) res+=query(son[x][1],mid+1,r,nl,nr); return res; } void split(int &x,int &y,int l,int r,int nl,int nr) { if(!x) return; if(l>=nl&&r<=nr) { y=x; x=0; return; } if(!y) y=new_node(); int mid=(l+r)/2; if(mid>=nl) split(son[x][0],son[y][0],l,mid,nl,nr); if(mid<nr) split(son[x][1],son[y][1],mid+1,r,nl,nr); push_up(x),push_up(y); } int merge(int &x,int &y,int l,int r) { if(!x||!y) return x+y; if(l==r) { tree[x]+=tree[y]; del(y); return x; } int mid=(l+r)/2; son[x][0]=merge(son[x][0],son[y][0],l,mid); son[x][1]=merge(son[x][1],son[y][1],mid+1,r); push_up(x); del(y); return x; } int kth(int x,int l,int r,ll k) { if(l==r) return l; int mid=(l+r)/2; if(k<=tree[son[x][0]]) return kth(son[x][0],l,mid,k); else return kth(son[x][1],mid+1,r,k-tree[son[x][0]]); } int main() { ios::sync_with_stdio(false); cin.tie(0),cout.tie(0); cin>>n>>m; for(int i=1;i<=n;i++) cin>>a[i]; build(root[++tot],1,n); while(m--) { int opt,p,x,y; cin>>opt; if(opt==0) { cin>>p>>x>>y; split(root[p],root[++tot],1,n,x,y); } else if(opt==1) { cin>>p>>x; root[p]=merge(root[p],root[x],1,n); } else if(opt==2) { cin>>p>>x>>y; add(root[p],1,n,y,x); } else if(opt==3) { cin>>p>>x>>y; cout<<query(root[p],1,n,x,y)<<endl; } else { cin>>p>>x; if(tree[root[p]]<x) cout<<-1<<endl; else cout<<kth(root[p],1,n,x)<<endl; } } return 0; }
|