欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

硬币变化问题

程序员文章站 2024-03-19 21:53:16
...

题目:你将获得不同面额和总金额的硬币,编写一个函数来计算就构成该数量的组合数,假设拥有无限数量的每种硬币。

思想:使用动态规划的方法来求出每种状态的数量,最后求出所有的数量。

代码:

class Solution {
    public int change(int amount, int[] coins) {
        
        if(coins.length==0)
        {
            if(amount==0)
                return 1;
            else
                return 0;
        }
        if(amount==0)
            return 1;
            
        int max=0;
        int [][]count=new int [amount+1][coins.length];
        for(int i=0;i<coins.length;i++)
        {
            count[0][i]=0;
        }
        for(int i=0;i<amount+1;i++)
        {
            if((i>=coins[0])&&coins[0]!=0&&((i%coins[0])==0))
            {
                count[i][0]=1;
            }
            else
            {
                count[i][0]=0;
            }
                
        }
        for(int i=1;i<amount+1;i++)
        {
            for(int j=1;j<coins.length;j++)
            {
                if(i<coins[j])
                {
                    count[i][j]=count[i][j-1];
                }
                else if(i==coins[j])
                {
                    count[i][j]=count[i][j-1]+1;
                }
                else
                    count[i][j]=count[i][j-1]+count[i-coins[j]][j];
            }
        }
        return count[amount][coins.length-1];
        
    }
}

在某个位置,将该总数和硬币的金额比较,如果小如金额的数目,则该位置的数量为左边的那个数值。如果大于该硬币金额,则将总数减去金额的数,然后将那个横坐标和该硬币金额的纵坐标得到的值加上那个位置的左边的那个值,有点类似于背包问题,主要就是如果那个数量刚好大于某一个金额,则将这个金额放进可以的情况中,在考虑去掉这个金额的情况。

 

相关标签: