1. 程式人生 > 其它 >Leetcode518/322/139之完全揹包型別的例題

Leetcode518/322/139之完全揹包型別的例題

完全揹包型別的例題

Leetcode518-零錢兌換二

  • 給你一個整數陣列 coins 表示不同面額的硬幣,另給一個整數 amount 表示總金額。
  • 請你計算並返回可以湊成總金額的硬幣組合數。如果任何硬幣組合都無法湊出總金額,返回 0 。
  • 假設每一種面額的硬幣有無限個。
  • 輸入:amount = 5, coins = [1, 2, 5]
  • 輸出:4
    public int change(int amount, int[] coins) {
        int[] dp=new int[amount+1];
        dp[0]=1;

        for(int i=0;i<coins.length;i++){
            for(int j=coins[i];j<=amount;j++){
                dp[j]=dp[j]+dp[j-coins[i]];
            }
        }
        return dp[amount];
    }  

Leetcode322-零錢兌換

  • 給你一個整數陣列 coins ,表示不同面額的硬幣;以及一個整數 amount ,表示總金額。
  • 計算並返回可以湊成總金額所需的 最少的硬幣個數 。如果沒有任何一種硬幣組合能組成總金額,返回 -1
  • 你可以認為每種硬幣的數量是無限的。
  • 輸入:coins = [1, 2, 5], amount = 11
  • 輸出:3
    public int coinChange(int[] coins, int amount) {
        int[] dp = new int[amount + 1];

        for (int i = 0; i <= amount; i++) {
            dp[i] = Integer.MAX_VALUE;
        }
        dp[0] = 0;

        for (int i = 0; i < coins.length; i++) {
            for (int j = coins[i]; j <= amount; j++) {
                if (dp[j - coins[i]] != Integer.MAX_VALUE) {
                    dp[j] = Math.min(dp[j], dp[j - coins[i]] + 1);
                }
            }
        }

        if (dp[amount] == Integer.MAX_VALUE) {
            return -1;
        } else {
            return dp[amount];
        }
    }

Leetcode139-單詞拆分

  • 給你一個字串 s 和一個字串列表 wordDict 作為字典。請你判斷是否可以利用字典中出現的單詞拼接出 s 。
  • 注意:不要求字典中出現的單詞全部都使用,並且字典中的單詞可以重複使用
  • 輸入: s = "applepenapple", wordDict = ["apple", "pen"]
  • 輸出: true
    public boolean wordBreak(String s, List<String> wordDict) {

        HashSet<String> set=new HashSet<>(wordDict);

        boolean[] dp=new boolean[s.length()+1];
        dp[0]=true;

        for(int i=1;i<=s.length();i++){
            for(int j=0;j<i;j++){
                if(dp[j] && set.contains(s.substring(j,i))){
                    dp[i]=true;
                    break;
                }
            }
        }

        return dp[s.length()];
    }