PAT1048. Find Coins(01背包问题动态规划解法)

问题描述:

Eva loves to collect coins from all over the universe, including some other planets like Mars. One day she visited a universal shopping mall which could accept all kinds of coins as payments. However, there was a special requirement of the payment: for each bill, she could only use exactly two coins to pay the exact amount. Since she has as many as 105coins with her, she definitely needs your help. You are supposed to tell her, for any given amount of money, whether or not she can find two coins to pay for it.

Input Specification:

Each input file contains one test case. For each case, the first line contains 2 positive numbers: N (<=105, the total number of coins) and M(<=103, the amount of money Eva has to pay). The second line contains N face values of the coins, which are all positive numbers no more than 500. All the numbers in a line are separated by a space.

Output Specification:

For each test case, print in one line the two face values V1and V2(separated by a space) such that V1+ V2= M and V1<= V2. If such a solution is not unique, output the one with the smallest V1. If there is no solution, output "No Solution" instead.

Sample Input 1:

8 15
1 2 8 7 2 4 11 15

Sample Output 1:

4 11

Sample Input 2:

7 14
1 8 7 2 4 11 15

Sample Output 2:

No Solution<br /><br />

解法描述:


本题可看把需要支付的总额看做背包,每个钱币当做需要放进背包中的物品,钱币的重量和价值均为钱币面额,所以这是一个典型的01背包问题,用动态规划方法依次把各个钱币加入解法中,计算每种总额能拼凑出的最大价值。

代码:

1 #include<algorithm>
 2 #include<iostream>
 3 using namespace std;
 4 
 5 int coins[10001] = { 0 };
 6 int n, m;
 7 int dp[101] = { 0 };
 8 int ch[10001][101] = { 0 };       //ch[n][m]记录每次更新最大价值时,是否选择新加入的钱币
 9 
10 bool cmp(int a, int b) {
11     return a > b;
12 }
13 
14 int main() {
15     cin >> n >> m;
16     for (int i = 0; i < n; i++)
17     {
18         cin >> coins[i];
19     }
20     sort(coins, coins + n, cmp);  //对钱币从大到小排序,因为要输出最小钱币的方案
21     for (int i = 0; i < n; i++)
22     {
23         for (int j = m; j >= 0; j--)
24         {
25             if (j >= coins[i]) {
26                 if (dp[j] <= dp[j - coins[i]] + coins[i]) {
27                     ch[i][j] = 1; //若选择了新加入的钱币,则ch[n][m]置为1
28                     dp[j] = dp[j - coins[i]] + coins[i];
29                 }
30             }
31         }
32     }
33     if (dp[m] != m) {            //m总额下的最大价值不是m,则无解决方案
34         cout << "No Solution" << endl;
35     }
36     else {
37         for (int i = n - 1; i >= 0; i--) //从最小的钱币开始倒序遍历
38         {
39             if (ch[i][m]) {              //若该钱币在拼凑方案中,则总额变为m-coins[i]
40                 m -= coins[i];
41                 cout << coins[i];
42                 if (m == 0) {
43                     cout << endl;
44                 }
45                 else {
46                     cout << " ";
47                 }
48             }
49         }
50     }
51     return 0;
52 }

相关推荐