bzoj2243 [SDOI2011]染色 (树链剖分+线段树)

Description

给定一棵有n个节点的无根树和m个操作,操作有2类:

1、将节点a到节点b路径上所有点都染成颜色c

2、询问节点a到节点b路径上的颜色段数量(连续相同颜色被认为是同一段),如“1122213段组成:“11、“222和“1

请你写一个程序依次完成这m个操作。

Input

第一行包含2个整数nm,分别表示节点数和操作数;

第二行包含n个正整数表示n个节点的初始颜色

下面 行每行包含两个整数xy,表示xy之间有一条无向边。

下面 行每行描述一个操作:

“C a b c”表示这是一个染色操作,把节点a到节点b路径上所有点(包括ab)都染成颜色c

“Q a b”表示这是一个询问操作,询问节点a到节点b(包括ab)路径上的颜色段数量。

Output

对于每个询问操作,输出一行答案。

Sample Input

6 5

2 2 1 2 1 1

1 2

1 3

2 4

2 5

2 6

Q 3 5

C 2 1 1

Q 3 5

C 5 1 2

Q 3 5

Sample Output

3

1

2

HINT

数N<=10^5,操作数M<=10^5,所有的颜色C为整数且在[0, 10^9]之间。



思路:先用两次dfs进行树链剖分,把重链和轻链都找出来,计算出每一个节点对应的线段树的位置,然后在线段树上维护4个值,分别是cl表示线段最左端的颜色,cr表示线段最右端的颜色,num表示线段中不同颜色的区间数,flag是lazy标记,表示这段区间是不是只有一种颜色。所以修改操作就只要普通的修改就行了,这题重点是询问操作,我们可以用两个值pre1,pre2表示之前修改的链的右端点的颜色,初始化为-1,pre1表示u到lca上的链的修改,pre2表示v到lca上的链的修改,那么我们每次询问一条链的颜色的时候,求出这条线段的左端点和右端点的颜色以及这条线段中不同颜色的区间个数,如果左端点的颜色和pre1相同,那么总的颜色区间个数还要减去1.

#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
#include
using namespace std;
#define lson th<<1
#define rson th<<1|1
typedef long long ll;
typedef long double ldb;
#define inf 999999999
#define pi acos(-1.0)
#define maxn 100010
struct edge{
    int to,next;
}e[2*maxn];
int pos,tot,Lc,Rc;
int top[maxn],son[maxn],fa[maxn],dep[maxn],num[maxn],p[maxn],a[maxn],c[maxn],first[maxn];
void dfs1(int u,int pre,int deep)
{
    int i,j,v;
    dep[u]=deep;
    fa[u]=pre;
    num[u]=1;
    for(i=first[u];i!=-1;i=e[i].next){
        v=e[i].to;
        if(v==pre)continue;
        dfs1(v,u,deep+1);
        num[u]+=num[v];
        if(son[u]==-1 || num[son[u] ]mid)update(l,r,color,rson);
    else{update(l,mid,color,lson);update(mid+1,r,color,rson);}
    pushup(th);
}
 
int question(int l,int r,int th,int L,int R)
{
    int mid,num;
    if(b[th].l==L)Lc=b[th].cl;
    if(b[th].r==R)Rc=b[th].cr;
    if(b[th].l==l && b[th].r==r){
        return b[th].num;
    }
    pushdown(th);
    mid=(b[th].l+b[th].r)/2;
    if(r<=mid)return question(l,r,lson,L,R);
    else if(l>mid)return question(l,r,rson,L,R);
    else{
        num=question(l,mid,lson,L,R)+question(mid+1,r,rson,L,R);
        if(b[lson].cr==b[rson].cl)num--;
        return num;
    }
}
 
int solve(int u,int v)
{
    int f1=top[u],f2=top[v];
    int num=0,pre1,pre2;
    pre1=pre2=-1;
    while(f1!=f2){
        if(dep[f1]


你可能感兴趣的:(线段树,树链剖分)