Maximum White Subtree

You are given a tree consisting of n vertices. A tree is a connected undirected graph with n−1 edges. Each vertex v of this tree has a color assigned to it (av=1 if the vertex v is white and 0 if the vertex v is black).

You have to solve the following problem for each vertex v: what is the maximum difference between the number of white and the number of black vertices you can obtain if you choose some subtree of the given tree that contains the vertex v? The subtree of the tree is the connected subgraph of the given tree. More formally, if you choose the subtree that contains cntw white vertices and cntb black vertices, you have to maximize cntw−cntb.

Input
The first line of the input contains one integer n (2≤n≤2⋅105) — the number of vertices in the tree.

The second line of the input contains n integers a1,a2,…,an (0≤ai≤1), where ai is the color of the i-th vertex.

Each of the next n−1 lines describes an edge of the tree. Edge i is denoted by two integers ui and vi, the labels of vertices it connects (1≤ui,vi≤n,ui≠vi).

It is guaranteed that the given edges form a tree.

Output
Print n integers res1,res2,…,resn, where resi is the maximum possible difference between the number of white and black vertices in some subtree that contains the vertex i.

Examples

input
9
0 1 1 1 0 0 0 0 1
1 2
1 3
3 4
3 5
2 6
4 7
6 8
5 9
output
2 2 2 2 2 1 1 0 2 
input
4
0 0 1 0
1 2
1 3
1 4
output
0 -1 1 -1 

Note
The first example is shown below:

在这里插入图片描述

The black vertices have bold borders.

In the second example, the best subtree for vertices 2,3 and 4 are vertices 2,3 and 4 correspondingly. And the best subtree for the vertex 1 is the subtree consisting of vertices 1 and 3.
二次扫描与换根法

#include

using namespace std;
const int N = 2e5 + 10;
int a[N], fa[N], f[N], g[N], n;
int head[N], ver[N << 1], Next[N << 1], tot;

inline void add(int x, int y) {
    ver[++tot] = y;
    Next[tot] = head[x];
    head[x] = tot;
}

inline void read() {
    scanf("%d", &n);
    for (int i = 1; i <= n; i++) {
        scanf("%d", &a[i]);
        if (!a[i])a[i] = -1;
    }
    for (int i = 1; i < n; i++) {
        int x, y;
        scanf("%d%d", &x, &y);
        add(x, y), add(y, x);
    }
}

void get_f(int x) {
    f[x] = a[x];
    for (int i = head[x]; i; i = Next[i]) {
        int y = ver[i];
        if (fa[x] == y)continue;
        fa[y] = x, get_f(y);
        f[x] += max(0, f[y]);
    }
}

void get_g(int x) {
    for (int i = head[x]; i; i = Next[i]) {
        int y = ver[i];
        if (fa[x] == y)continue;
        g[y] = max(0, f[x] + g[x] - max(0, f[y]));
        get_g(y);
    }
}

int main() {
    read();
    get_f(1);
    get_g(1);
    for (int i = 1; i <= n; i++)
        printf("%d ", f[i] + g[i]);
    return 0;
}

你可能感兴趣的:(ACM,二次扫描与换根法)