51Nod_1085 背包问题

1085 背包问题 

基准时间限制:1 秒 空间限制:131072 KB 分值: 0 难度:基础题

在N件物品取出若干件放在容量为W的背包里,每件物品的体积为W1,W2……Wn(Wi为整数),与之相对应的价值为P1,P2……Pn(Pi为整数)。求背包能够容纳的最大价值。

Input

第1行,2个整数,N和W中间用空格隔开。N为物品的数量,W为背包的容量。(1 <= N <= 100,1 <= W <= 10000)
第2 - N + 1行,每行2个整数,Wi和Pi,分别是物品的体积和物品的价值。(1 <= Wi, Pi <= 10000)

Output

输出可以容纳的最大价值。

Input示例

3 6
2 5
3 8
4 9

Output示例

14

题解:01背包模板题

AC的C++程序:

#include<iostream>

using namespace std;

const int N1=100;
const int N2=10000;

struct goods{
	int w;  //花费 
	int p;  //价值 
}a[N1+1];

int dp[N2+1];

int main()
{
	int n,v;
	cin>>n>>v;
	for(int i=1;i<=n;i++)
	  cin>>a[i].w>>a[i].p;
	for(int i=1;i<=n;i++)
	  for(int j=v;j>=a[i].w;j--)
	    dp[j]=max(dp[j],dp[j-a[i].w]+a[i].p);
	cout<<dp[v]<<endl;
	return 0;
}

猜你喜欢

转载自blog.csdn.net/SongBai1997/article/details/81811183