455. 【NOIP2017提高A组冲刺11.6】拆网线 
(File IO): input:tree.in output:tree.out

Time Limits: 1000 ms  Memory Limits: 65536 KB  Detailed Limits  

Goto ProblemSet

Description

企鹅国的网吧们之间由网线互相连接,形成一棵树的结构。现在由于冬天到了,供暖部门缺少燃料,于是他们决定去拆一些网线来做燃料。但是现在有K只企鹅要上网和别人联机游戏,所以他们需要把这K只企鹅安排到不同的机房(两只企鹅在同一个机房会吵架),然后拆掉一些网线,但是需要保证每只企鹅至少还能通过留下来的网线和至少另一只企鹅联机游戏。
所以他们想知道,最少需要保留多少根网线?
 

Input

第一行一个整数T,表示数据组数;
每组数据第一行两个整数N,K,表示总共的机房数目和企鹅数目。
第二行N-1个整数,第i个整数Ai表示机房i+1和机房Ai有一根网线连接(1≤Ai≤i)。

Output

每组数据输出一个整数表示最少保留的网线数目。
 

Sample Input

2
4 4
1 2 3
4 3
1 1 1

Sample Output

2
2
 

Data Constraint

对于30%的数据:N≤15;
对于50%的数据:N≤300;
对于70%的数据:N≤2000;
对于100%的数据:2≤K≤N≤100000,T≤10。
 
做法:显然可以看出,俩个点间只用一条线相连的情况最优,因为这样一条线的贡献值是2,于是,树形dp,设g[x]表示 不与x节点匹配的最大的一条线的个数,f[x]表示与x节点匹配的最大的一条线的个数。
转移方程 :g[x] = Σ g[son], f[x] = max(f[x], g[x] - max(f[son], g[son]) + g[son] + 1)
代码如下:
    

 #include <cstdio>
#include <cstring>
#include <cstdlib>
#include <algorithm>
#include <iostream>
#define N 200007
using namespace std;
struct edge
{
int to, next;
}e[N];
int t, n, m, ls[N], tot, f[N / ], g[N / ]; void add(int z, int y)
{
e[++tot].to = y;
e[tot].next = ls[z];
ls[z] = tot;
} void dfs(int x, int fa)
{
for (int i = ls[x]; i; i = e[i].next)
{
if (e[i].to != fa)
{
dfs(e[i].to, x);
g[x] += max(f[e[i].to], g[e[i].to]);
}
} for (int i = ls[x]; i; i = e[i].next)
if (e[i].to != fa) f[x] = max(f[x], g[x] - max(f[e[i].to], g[e[i].to]) + + g[e[i].to]);
} void work()
{
dfs(, );
int ans = max(f[], g[]);
if (ans * < m) ans += m - ans * ;
else
{
if (m % == ) ans = m / ;
else ans = m / + ;
}
printf("%d\n", ans);
} int main()
{
freopen("tree.in", "r", stdin);
freopen("tree.out", "w", stdout);
scanf("%d", &t);
while (t--)
{
tot = ;
memset(f, , sizeof(f));
memset(g, , sizeof(g));
memset(ls, , sizeof(ls));
memset(e, , sizeof(e));
scanf("%d%d", &n, &m);
for (int i = ; i <= n; i++)
{
int x;
scanf("%d", &x);
add(x, i);
add(i, x);
}
work();
}
}
05-25 19:03