LeetCode:字符串中的额外字符

字符串中的额外字符

leetcode地址:题目地址
题目描述:给你一个下标从 0 开始的字符串 s 和一个单词字典 dictionary 。你需要将 s 分割成若干个 互不重叠 的子字符串,每个子字符串都在 dictionary 中出现过。s 中可能会有一些 额外的字符 不在任何子字符串中。
请你采取最优策略分割 s ,使剩下的字符 最少 。

难度:中等
考点:DP

解析:LeetCode:字符串中的额外字符_第1张图片

代码实现:

var minExtraChar = function(s, dictionary) {
    // dp[i] 表示到 s[0]...s[i] 的字符串采取最优策略分割方案,剩下的字符数。
    const dp = new Array(s.length + 1).fill(0)

    for (let i = 0; i < s.length; i ++) {
        const cur = s.slice(0, i + 1) //分割 拿到0到i长度的字符串

        dp[i + 1] = dp[i] + 1 // 默认加进来的那个是额外字符串
        for (const word of dictionary) {
            // 如果存在满足情况的单词,取最优解
            if (cur.endsWith(word)) {
                dp[i + 1] = Math.min(dp[i + 1], dp[i - word.length + 1])
            }
        }
    }
    return dp[s.length]
};


你可能感兴趣的:(算法,#,LeetCode,算法,动态规划)