322. 零钱兑换(基础)
给定不同面额的硬币 coins 和一个总金额 amount。编写一个函数来计算可以凑成总金额所需的最少的硬币个数。如果没有任何一种硬币组合能组成总金额,返回 -1。
示例 1:
输入: coins = [1, 2, 5], amount = 11
输出: 3
解释: 11 = 5 + 5 + 1
示例 2:
输入: coins = [2], amount = 3
输出: -1
说明:
你可以认为每种硬币的数量是无限的。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/coin-change
思路:
dp
用dp[i]表示目标金额为i时需要的硬币数量
这一题是动态规划中的最基础,最经典的,一定要掌握
注意:
一定要将初始条件写上,之前调不出来就是没写dp[0]=0,这样就很难受
然后可以将dp数组初始化为amount+1,相当于无穷大
代码:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
| class Solution { public int coinChange(int[] coins, int amount) { int[] dp = new int[amount+1]; Arrays.fill(dp,amount+1); dp[0]=0; for(int i=1;i<=amount;i++){ for(int coin :coins){ if(i>=coin) dp[i] = Math.min(dp[i],dp[i-coin]+1); } } return (dp[amount]==amount+1)?-1:dp[amount];
} }
|
代码2
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33
| class Solution { public int coinChange(int[] coins, int amount) { return coinHelper(coins,amount);
} int coinHelper(int[] coins,int amount){ int res = amount+1; if(amount==0){ return 0; } if(amount<0){ return -1; } for(int coin : coins){ if(amount-coin<0){ continue; } int count = coinHelper(coins,amount-coin); if(count==-1){ continue; } res = Math.min(res,count+1); } return res==amount+1?-1:res; } }
|
代码3
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39
| class Solution { int[] memo; public int coinChange(int[] coins, int amount) { memo = new int[amount+1]; return coinHelper(coins,amount); } int coinHelper(int[] coins,int amount){ int res = amount+1; if(amount==0){ return 0; } if(amount<0){ return -1; } if(memo[amount] != 0){ return memo[amount]; } for(int coin : coins){ if(amount-coin<0){ continue; } int count = coinHelper(coins,amount-coin); if(count==-1){ continue; } res = Math.min(res,count+1); } res =res==amount+1?-1:res; memo[amount]=res; return res; } }
|