题目大意:给定五种硬币 1c, 5c, 10c, 25c, 50c,及一个面值额,看有多少种方法可以组成当前面值额。
解析:完全背包问题,即背包内的东西,为了凑出目标,可以重复使用
用dp[v]表示:当前价格用的方法个数
解析:完全背包问题,即背包内的东西,为了凑出目标,可以重复使用
用dp[v]表示:当前价格用的方法个数
状态转移方程:dp[v + coin[i]] += dp[v];
唯一要注意的是,如果只有单个方法时要输出:There is only 1 way to produce 4 cents change.
#include <cstdio>
#include <cstring>
using namespace std;
typedef long long ll;
const int N = 35100;
const int coin[5] = {1, 5, 10, 25, 50};
ll dp[N];
int main() {
memset(dp,0,sizeof(dp));
dp[0] = 1;
for(int i = 0; i < 5; i++) {
for(int v = 0; v < N - 100; v++) {
dp[v + coin[i]] += dp[v];
}
}
int n;
while(scanf("%d",&n) != EOF) {
if(dp[n] == 1) {
printf("There is only 1 way to produce %d cents change.\n",n);
}else {
printf("There are %lld ways to produce %d cents change.\n",dp[n] ,n);
}
}
return 0;
}