这是一个java代码,以递归方式计算特定硬币的支付数量(例如,1,2,5,20,50等)。我试图找出它是如何工作但似乎无法得到它。有人可以这么善良并解释代码背后的数学和逻辑以及这种递归是如何工作的吗?我真的很感激。
// Returns the count of ways we can sum S[0...m-1] coins to get sum n
int count( int S[], int m, int n ){
// If n is 0 then there is 1 solution (do not include any coin)
if (n == 0)
return 1;
// If n is less than 0 then no solution exists
if (n < 0)
return 0;
// If there are no coins and n is greater than 0, then no solution exist
if (m <=0 && n >= 1)
return 0;
// count is sum of solutions (i) including S[m-1] (ii) excluding S[m-1]
return count( S, m - 1, n ) + count( S, m, n-S[m-1] );
}
答案 0 :(得分:6)
该方法的工作原理如下:
第一个语句是当前递归的停止条件(对于所有情况都没有这些语句,那么最终会得到一个无限循环,最终以StackOverFlow结尾)
最后一行是计算发生的地方。每个语句都通过以下方式将问题缩小为更小的块:
count( S, m - 1, n )
减少了下次递归通话中排除最后一枚硬币的硬币数量(m-1
)count( S, m, n-S[m-1])
使用数组中的最后一枚硬币,减少了该硬币值所需的总和考虑这个小例子:
S[] = {1,2) // We have a 1 and 2 cent coin
m = S.length // Consider all possibilities ( = 2)
n = 3 // How many ways can we make 3c
// Obviously with: 1x1c + 1x2c
// and: 3x1c
树的递归; left branch = count( S, m - 1, n )
,right branch = count( S, m, n-S[m-1])
:
m=2;n=3
/ \
m=1;n=3 m=2;n=1
/ \ / \
m=0;n=3 m=1;n=2 m=1;n=1 m=2;n=-1
/ \ / \
m=0;n=2 m=1;n=1 m=0;n=1 m=1;n=0
/ \
m=0;n=1 m=1;n=0
这种递归可以被认为是这棵树的Pre-order遍历。
如果您再考虑方法的条件,那么找到解决方案的位置。所以在n = 0的叶子节点上。
每一个都是这样的:
第一个解决方案
第二个解决方案
在每个节点返回一个值 - 0(无解)或1(解决方案) - 添加到找到的解的总数。一旦递归结束,返回最终值并且是解决方案的数量。
一些补充说明:
m
中的第一个S
硬币,以便考虑初始调用该方法所需的所有可能方式m == S.length
使用print语句修改代码以查看递归:
public static void main(String[] args){
int[] coins = new int[]{1,2};
System.out.println("Final Count = " + count(coins, coins.length, 3, ""));
}
public static int calls = 0;
public static int count( int S[], int m, int n , String from){
calls++;
System.out.print("Call#" + calls + ": " + from + "; m = " + m + "; n = " + n);
// If n is 0 then there is 1 solution (do not include any coin)
if (n == 0)
{
System.out.println(" - Solution Found");
return 1;
}
// If n is less than 0 then no solution exists
if (n < 0)
{
System.out.println(" - No Solution Found n < 0");
return 0;
}
// If there are no coins and n is greater than 0, then no solution exist
if (m <=0 && n >= 1)
{
System.out.println(" - No Solution Found (other Case)");
return 0;
}
System.out.println();
// count is sum of solutions (i) including S[m-1] (ii) excluding S[m-1]
return count( S, m - 1, n , from + "E" ) + count( S, m, n-S[m-1], from + "I" );
}
答案 1 :(得分:3)
从代码中,我假设S
是一个至少有m
个元素的数组,每个元素代表一个可用的硬币面额,n
是预期的总和。< / p>
评论确实说明了一切,但最后的评论是倒退的。 count( S, m - 1, n )
是除当前范围中的最后一个硬币之外的解决方案的数量。 count( S, m, n-S[m-1] )
是使用该硬币的解决方案的数量。
排除案例只会将m
减少一个,从而删除当前范围内的最后一枚硬币。
包含案例通过使用该硬币的值减少n
来使用它。由于包含案例也不会减少m
,因此可能会多次使用任何硬币面额。如果硬币太大也没关系 - 如果n < 0
返回0就可以处理。
如果评论中没有明确基本案例,请提出具体问题。