LeetCode_322零钱兑换

给定不同面额的硬币 coins 和一个总金额 amount。编写一个函数来计算可以凑成总金额所需的最少的硬币个数。如果没有任何一种硬币组合能组成总金额,返回 -1。
在这里插入图片描述
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/coin-change
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

class Solution {
    public int coinChange(int[] coins, int amount) {
        //dp[i]表示总金额为i时所用硬币最少个数
        int[] dp = new int[amount+1];
        Arrays.fill(dp,1,dp.length, Integer.MAX_VALUE);
        for(int i=1;i<=amount;i++){
            for(int j=0;j<coins.length;j++){
                if(coins[j]<=i && dp[i-coins[j]]!=Integer.MAX_VALUE){
                    dp[i] = Math.min(dp[i],dp[i-coins[j]]+1);
                }
            }
        }
        if(dp[amount]==Integer.MAX_VALUE)
            return -1;
        return dp[amount];
    }
}
发布了250 篇原创文章 · 获赞 0 · 访问量 1249

猜你喜欢

转载自blog.csdn.net/qq_36198826/article/details/103963646
今日推荐