洛谷:p5020
OJ:i5020
算法思路:
题目要求找到一个与原货币系统等价的最小货币系统,使得货币种数 ( m ) 尽可能小。
等价的货币系统定义:
两个货币系统等价,当且仅当对于任意非负整数金额 ( x ),要么都能被两个系统表示,要么都不能被表示。
问题转化:
我们需要从原有的货币面额中选出尽可能少的面额,使得在原货币系统中能够表示的所有金额,在新货币系统中仍然能够表示;反之,在原系统中不能表示的金额,在新系统中也不能表示。
算法步骤:
算法核心思想:
举例说明:
以输入样例1为例:
4
3 6 10 19
算法步骤:
总结:
该算法通过动态规划和贪心策略,确定了哪些面额是必要的,从而找到与原货币系统等价且货币种数最少的系统。
代码实现:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 | /**************************************************************** * Description: 2018年提高组第一题 货币系统 * Author: Alex Li * Date: 2024-09-30 19:28:38 * LastEditTime: 2024-09-30 19:38:55 ****************************************************************/ #include <iostream> #include <algorithm> #include <vector> #include <cstring> using namespace std; const int MAX_COIN_VALUE = 250; // 最大面值 int main() { int T; // 测试数据组数 cin >> T; while (T--) { int n; // 货币种数 cin >> n; vector<int> a(n); // 面额数组 int max_coin = 0; // 最大面值 for (int i = 0; i < n; ++i) { cin >> a[i]; max_coin = max(max_coin, a[i]); } sort(a.begin(), a.end()); // 将面额排序 vector<bool> dp(max_coin + 1, false); // dp数组,表示金额是否可达 dp[0] = true; // 金额0可达 int m = 0; // 最小货币种数 for (int i = 0; i < n; ++i) { int c = a[i]; // 当前面额 if (dp) { // 如果当前面额可达,则是多余的 continue; } else { // 否则,是必要的,更新dp数组 m++; // 增加必要的货币种数 for (int j = c; j <= max_coin; ++j) { dp[j] = dp[j] || dp[j - c]; } } } cout << m << endl; // 输出最小的m } return 0; } |