我基本上是在尝试通过递归来解决硬币找零问题,这就是我到目前为止所拥有的-:
#include<iostream>
#include<conio.h>
using namespace std;
int a[]={1,2,5,10,20,50,100,200},count=0;
//i is the array index we are working at
//a[] contains the list of the denominations
//count keeps track of the number of possibilities
void s(int i,int sum) //the function that i wrote
{
if (!( i>7 || sum<0 || (i==7 && sum!=0) )){
if (sum==0) ++count;
s(i+1,sum);
s(i,sum-a[i]);
}
}
int c(int sum,int i ){ //the function that I took from the algorithmist
if (sum == 0)
return 1;
if (sum < 0)
return 0;
if (i <= 0 && sum > 0 )
return 1;
return (c( sum - a[i], i ) + c( sum, i - 1 ));
}
int main()
{
int a;
cin>>a;
s(0,a);
cout<<c(a,7)<<endl<<count;
getch();
return 0;
}
第一个函数 s(i,sum) 由我编写,第二个函数 c(sum,i) 取自这里 - (www.algorithmist.com/index.php/Coin_Change)。
问题是 count 总是返回比预期更高的值。但是,算法专家的解决方案给出了正确的答案,但我无法理解这个基本情况
if (i <= 0 && sum > 0 ) return 1;
如果索引 (i) 小于或等于零并且总和仍然不为零,那么函数不应该返回零而不是一吗?
我也知道算法专家的解决方案是正确的,因为在Project Euler上,这给了我正确的答案。