hdu 1561 The more, The Better【樹形揹包】
題目連結:http://acm.hdu.edu.cn/showproblem.php?pid=1561
The more, The Better
Time Limit: 6000/2000 MS (Java/Others) Memory Limit: 32768/32768 K (Java/Others)
Total Submission(s): 6987 Accepted Submission(s): 4097
Problem Description
ACboy很喜歡玩一種戰略遊戲,在一個地圖上,有N座城堡,每座城堡都有一定的寶物,在每次遊戲中ACboy允許攻克M個城堡並獲得裡面的寶物。但由於地理位置原因,有些城堡不能直接攻克,要攻克這些城堡必須先攻克其他某一個特定的城堡。你能幫ACboy算出要獲得儘量多的寶物應該攻克哪M個城堡嗎?
Input
每個測試例項首先包括2個整數,N,M.(1 <= M <= N <= 200);在接下來的N行裡,每行包括2個整數,a,b. 在第 i 行,a 代表要攻克第 i 個城堡必須先攻克第 a 個城堡,如果 a = 0 則代表可以直接攻克第 i 個城堡。b 代表第 i 個城堡的寶物數量, b >= 0。當N = 0, M = 0輸入結束。
Output
對於每個測試例項,輸出一個整數,代表ACboy攻克M個城堡所獲得的最多寶物的數量。
Sample Input
3 2 0 1 0 2 0 3 7 4 2 2 0 1 0 4 2 1 7 1 7 6 2 2 0 0
Sample Output
5 13
思路:樹形揹包;對於有向圖<u,v>;dp[i][j]表示當前i節點及其子樹下最多選擇j個城市的最大值為dp[i][j],根據題意需要虛擬0節點並且價值為0,然後從下往上遍歷;
如果當前節點是0,更新操作dp[u][j]=max(dp[u][j],dp[u][j-k]+dp[v][k]);
如果當前節點非0,更新操作dp[u][j]=max(dp[u][j],dp[u][k]+dp[v][j-k]);
#include<stdio.h> #include<string.h> #include<string> #include<queue> #include<stack> #include<map> #include<vector> #include<set> #include<algorithm> #define inf 0x3f3f3f3f using namespace std; typedef long long ll; const int N=1e3+10; struct node { int v,ne,w; }edge[N]; int head[N]; int deep[N]; int dp[N][N]; int n,m,e; void add(int a,int b,int c) { edge[e].v=b; edge[e].w=c; edge[e].ne=head[a]; head[a]=e++; } void dfs(int u) { for(int i=head[u];i!=-1;i=edge[i].ne) { int v=edge[i].v; dfs(v); if(u==0) { for(int j=m;j>=0;j--)//0節點不佔空間 for(int k=1;k<=j;k++) dp[u][j]=max(dp[u][j],dp[u][j-k]+dp[v][k]); } else { for(int j=m;j>1;j--) for(int k=1;k<j;k++) dp[u][j]=max(dp[u][j],dp[u][k]+dp[v][j-k]); } } } int main() { while(~scanf("%d %d",&n,&m)) { if(!n&&!m) break; memset(dp,0,sizeof(dp)); memset(head,-1,sizeof(head)); e=0; int a,c; for(int i=1;i<=n;i++) { scanf("%d %d",&a,&c); add(a,i,c); dp[i][1]=c; } dfs(0); for(int i=0;i<=n;i++) { for(int j=0;j<=m;j++) printf("%d ",dp[i][j]); printf("\n"); } printf("%d\n",dp[0][m]); } return 0; }