程式碼隨想錄演算法訓練營第四十四天 | 322.零錢兌換 279.完全平方數 139.單詞拆分

深蓝von發表於2024-07-02

322.零錢兌換

題目連結 文章講解 影片講解

class Solution {
public:
    int coinChange(vector<int>& coins, int amount) {
        // dp[j]: 表示能湊成面額j所需的最少硬幣個數
        vector<int> dp(amount + 1, 0);

        // 遞推公式: dp[j] = min(dp[j - coins[i]] + 1, dp[j])
        // 初始化
        for(int j = 1; j <= amount; ++j) dp[j] = INT_MAX;

        for(int j = 0; j <= amount; ++j) {
            for(int i = 0; i < coins.size(); ++i) {
                if(j >= coins[i] && dp[j - coins[i]] != INT_MAX) dp[j] = min(dp[j - coins[i]] + 1, dp[j]);
            }
        }
        for(int val : dp) cout << val << " ";
        if(dp[amount] == INT_MAX) return -1;
        return dp[amount];
    }
};

279.完全平方數

題目連結 文章講解 影片講解

class Solution {
public:
    int numSquares(int n) {
        // dp[j]: 表示和為j的完全平方數的最小數量為dp[j]
        vector<int> dp(n + 1, INT_MAX);

        // 遞推公式: dp[j] = dp[j - i * i] + 1;
        // if(n == int(sqrt(n)) * int(sqrt(n))) return 1;

        // 初始化dp[0] = 1;
        dp[0] = 0;

        for(int i = 1; i * i <= n; ++i) { // 遍歷物品
            for(int j = i * i; j <= n; ++j) {  // 遍歷揹包
                dp[j] = min(dp[j - i * i] + 1, dp[j]);
            }
        }

        return dp[n];
    }
};

139.單詞拆分

題目連結 文章講解 影片講解

class Solution {
public:
    bool wordBreak(string s, vector<string>& wordDict) {
        unordered_set<string> wordSet(wordDict.size());
        for(string str : wordDict) wordSet.insert(str);

        // dp[j]: 是否能夠湊成長度為j的字串
        vector<int> dp(s.size() + 1, false);

        // 遞推公式 d[j] = dp[j - wordDict[i].size()]

        // 初始化
        dp[0] = true;

        for(int i = 1; i <= s.size(); ++i) { // 遍歷揹包
            for(int j = 0; j <= i; ++j) { // 遍歷物品
                string word = s.substr(j, i - j);
                if(wordSet.find(word) != wordSet.end() && dp[j] == true)
                    dp[i] = true;
            }
        }

        return dp[s.size()];
    }
};

相關文章