内容简介:You are given coins of different denominations and a total amount of money amount. Write a function to compute the fewest number of coins that you need to make up that amount. If that amount of money cannot be made up by any combination of the coins, retur
You are given coins of different denominations and a total amount of money amount. Write a function to compute the fewest number of coins that you need to make up that amount. If that amount of money cannot be made up by any combination of the coins, return -1.
Example 1:
Input: coins = [1, 2, 5], amount = 11 Output: 3 Explanation: 11 = 5 + 5 + 1
Example 2:
Input: coins = [2], amount = 3 Output: -1
Note:
You may assume that you have an infinite number of each kind of coin.
难度:medium
题目:给定不同面值的硬币和一总金额。写一个函数来计算你需要的最少的硬币数量来构成这个总金额。如果这笔钱不能用硬币的任何组合来构成,则返回-1。
思路:DP
total[i]表示这个金额最少需要多少硬币组成。
total[amount] = Math.min(total[amount - coins[i]] + 1) (total[amount - coins[i]] > 0)
(total[amount - coins[i]] = 0) 意味着不可达。
Runtime: 13 ms, faster than 97.29% of Java online submissions for Coin Change.
Memory Usage: 38 MB, less than 42.39% of Java online submissions for Coin Change.
class Solution {
public int coinChange(int[] coins, int amount) {
if (null == coins || coins.length < 1 || amount <= 0) {
return 0;
}
int[] total = new int[amount + 1];
Arrays.sort(coins);
for (int i = 0; i < coins.length && coins[i] < total.length; i++) {
total[coins[i]] = 1;
}
for (int i = coins[0]; i <= amount; i++) {
if (total[i] > 0) {
continue;
}
total[i] = amount + 1;
for (int j = 0; j < coins.length && i - coins[j] >= 0; j++) {
if (total[i - coins[j]] > 0) {
total[i] = Math.min(total[i - coins[j]] + 1, total[i]);
}
}
}
return total[amount] > amount || total[amount] <= 0 ? -1 : total[amount];
}
}
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持 码农网
猜你喜欢:本站部分资源来源于网络,本站转载出于传递更多信息之目的,版权归原作者或者来源机构所有,如转载稿涉及版权问题,请联系我们。
MATLAB高效编程技巧与应用
吴鹏 / 北京航空航天大学 / 2010-6 / 39.00元
《MATLAB高效编程技巧与应用:25个案例分析》是作者八年MATLAB使用经验的总结,精心设计的所有案例均来自于国内各大MATLAB技术论坛网友的切身需求,其中不少案例涉及的内容和求解方法在国内现已出版的MATLAB书籍中鲜有介绍。 《MATLAB高效编程技巧与应用:25个案例分析》首先针对MATLAB新版本特有的一些编程思想、高效的编程方法、新技术进行了较为详细的讨论,在此基础上,以大量......一起来看看 《MATLAB高效编程技巧与应用》 这本书的介绍吧!