所以,我创建了一个硬币更改算法,该算法取值N和任意数量的面额,如果它没有1,我必须自动包含1。我已经这样做了,但现在有一个缺陷我有2个矩阵,我需要使用其中的一个。是否有可能重写S [i]矩阵并仍然增加数组的大小....另外我如何找到最大面额和第二高和sooo直到最小?我应该从最高到最低排序,以使其更容易,还是有一个更简单的方法来一个接一个地寻找它们?
int main()
{
int N,coin;
bool hasOne;
cout << "Enter the value N to produce: " << endl;
cin >> N;
cout << "Enter number of different coins: " << endl;
cin >> coin;
int *S = new int[coin];
cout << "Enter the denominations to use with a space after it" << endl;
cout << "(1 will be added if necessary): " << endl;
for(int i = 0; i < coin; i++)
{
cin >> S[i];
if(S[i] == 1)
{
hasOne = true;
}
cout << S[i] << " ";
}
cout << endl;
if(!hasOne)
{
int *newS = new int[coin];
for(int i = 0; i < coin; i++)
{
newS[i] = S[i];
newS[coin-1] = 1;
cout << newS[i] << " ";
}
cout << endl;
cout << "1 has been included" << endl;
}
//system("PAUSE");
return 0;
}
答案 0 :(得分:1)
您可以使用std :: vector实现它,然后您只需要使用push_back
。
std::sort
可用于将面额按降序排序,然后只需检查最后一个是1
并在缺少时添加它。 (此代码中缺少大量错误检查,例如,您应该检查没有面额是&gt; = 0,因为您使用的是有符号整数)。
#include <iostream> // for std::cout/std::cin
#include <vector> // for std::vector
#include <algorithm> // for std::sort
int main()
{
std::cout << "Enter the value N to produce:\n";
int N;
std::cin >> N;
std::cout << "Enter the number of different denominations:\n";
size_t denomCount;
std::cin >> denomCount;
std::vector<int> denominations(denomCount);
for (size_t i = 0; i < denomCount; ++i) {
std::cout << "Enter denomination #" << (i + 1) << ":\n";
std::cin >> denominations[i];
}
// sort into descending order.
std::sort(denominations.begin(), denominations.end(),
[](int lhs, int rhs) { return lhs > rhs; });
// if the lowest denom isn't 1... add 1.
if (denominations.back() != 1)
denominations.push_back(1);
for (int coin: denominations) {
int numCoins = N / coin;
N %= coin;
if (numCoins > 0)
std::cout << numCoins << " x " << coin << '\n';
}
return 0;
}