第 298 场周赛
Problem A - 兼具大小写的最好英文字母
方法一:穷举
- 时间复杂度 。
- 空间复杂度 。
参考代码(Python 3)
class Solution:
    def greatestLetter(self, s: str) -> str:
        chars = set(s)
        for i in range(25, -1, -1):
            ch = chr(ord('A') + i)
            if ch in chars and ch.lower() in chars:
                return ch
        return ''
Problem B - 个位数字为 K 的整数之和
方法一:穷举
- 时间复杂度 。
- 空间复杂度 。
参考代码(Python 3)
class Solution:
    def minimumNumbers(self, num: int, k: int) -> int:
        if num == 0:
            return 0
        for i in range(1, 11):
            if i * k % 10 == num % 10 and i * k <= num:
                return i
        return -1
Problem C - 小于等于 K 的最长二进制子序列
方法一:动态规划
注意内层循环的顺序。
- 时间复杂度 。
- 空间复杂度 。
参考代码(Python 3)
class Solution:
    def longestSubsequence(self, s: str, k: int) -> int:
        n = len(s)
        dp = [k + 1] * (n + 1)
        dp[0] = 0
        for i in range(n):
            for j in range(i, -1, -1):
                if dp[j] > k:
                    continue
                if dp[j] * 2 + int(s[i]) <= k:
                    dp[j + 1] = min(dp[j + 1], dp[j] * 2 + int(s[i]))
        
        for i in range(n, -1, -1):
            if dp[i] <= k:
                return i
            
        return -1
};
方法二:贪心
- 时间复杂度 。
- 空间复杂度 。
参考代码(C++)
class Solution {
public:
    int longestSubsequence(string s, int k) {
        int ans = 0, now = 0;
        for (char si : s) {
            int num = si - '0';
            if (now * 2 + num <= k) {
                ans++;
                now = now * 2 + num;
            } else {
                int hibit = 1 << (31 - __builtin_clz(now));
                now ^= hibit;
                now = now * 2 + num;
            }
        }
        return ans;
    }
};
Problem D - 卖木头块
方法一:动态规划
参考代码(C++)
using ll = long long;
class Solution {
public:
    ll sellingWood(int m, int n, vector<vector<int>>& prices) {
        vector<vector<ll>> dp(m + 1, vector<ll>(n + 1));
        for (auto p : prices)
            dp[p[0]][p[1]] = max(dp[p[0]][p[1]], (ll)p[2]);
        
        for (int i = 1; i <= m; ++i)
            for (int j = 1; j <= n; ++j) {
                for (int k = 1; k < i; ++k)
                    dp[i][j] = max(dp[i][j], dp[k][j] + dp[i - k][j]);
                for (int k = 1; k < j; ++k)
                    dp[i][j] = max(dp[i][j], dp[i][k] + dp[i][j - k]);
            }
        
        return dp[m][n];
    }
};