美文网首页
【算法题】2707. 字符串中的额外字符

【算法题】2707. 字符串中的额外字符

作者: 程序员小2 | 来源:发表于2023-05-31 22:29 被阅读0次

题目:

给你一个下标从 0 开始的字符串 s 和一个单词字典 dictionary 。你需要将 s 分割成若干个 互不重叠 的子字符串,每个子字符串都在 dictionary 中出现过。s 中可能会有一些 额外的字符 不在任何子字符串中。

请你采取最优策略分割 s ,使剩下的字符 最少 。

示例 1:

输入:s = "leetscode", dictionary = ["leet","code","leetcode"]
输出:1
解释:将 s 分成两个子字符串:下标从 0 到 3 的 "leet" 和下标从 5 到 8 的 "code" 。只有 1 个字符没有使用(下标为 4),所以我们返回 1 。
示例 2:

输入:s = "sayhelloworld", dictionary = ["hello","world"]
输出:3
解释:将 s 分成两个子字符串:下标从 3 到 7 的 "hello" 和下标从 8 到 12 的 "world" 。下标为 0 ,1 和 2 的字符没有使用,所以我们返回 3 。

提示:

1 <= s.length <= 50
1 <= dictionary.length <= 50
1 <= dictionary[i].length <= 50
dictionary[i] 和 s 只包含小写英文字母。
dictionary 中的单词互不相同。

java代码:

class Solution {
    public int minExtraChar(String s, String[] dictionary) {

        set = new HashSet<>();
        maxLen = 0;
        for (String str : dictionary) {
            if (str.length() > maxLen) {
                maxLen = str.length();
            }
            set.add(str);
        }
        dp = new int[s.length()];
        Arrays.fill(dp, -1);
        int ans = dfs(0, s);
        return ans;
    }

    int maxLen;
    Set<String> set;
    int[] dp;

    private int dfs(int index, String s) {
        if (index == s.length()) {
            return 0;
        }
        if (dp[index] != -1) {
            return dp[index];
        }
        int curr = s.length();
        for (int len = 1; len <= maxLen && index + len <= s.length(); len++) {
            String currStr = s.substring(index, index + len);
            if (set.contains(currStr)) {
                curr = Math.min(curr, dfs(index + len, s));
            } else {
                curr = Math.min(curr, len + dfs(index + len, s));
            }
        }
        dp[index] = curr;
        return curr;
    }
}

相关文章

  • C语言实现字符串中查找字符串

    获取b字符串在a中第一次出现的位置的算法题

  • 数据结构与算法 -- 串,BF算法和RK算法

    BF算法 BF(Brute Force)算法,即暴力匹配算法 如果在字符串A中查找字符串B,那么字符串A就是主串,...

  • Freecodecamp 算法题

    Freecodecamp 算法题 1. Reverse a String 翻转字符串 先把字符串转化成数组,再借助...

  • 字符串匹配算法

    拉勾教育中《重学数据结构与算法》第08节讲到,字符串和如何应对字符串匹配算法。 字符串 字符串(string) 是...

  • KMP 字符串匹配算法

    KMP(Knuth-Morris-Pratt) 算法是一种常见的字符串匹配算法,在主字符串 S 中查找字符串 M ...

  • 蓝杯四十六

    算法训练 最长字符串 时间限制:1.0s 内存限制:512.0MB 提交此题 求出5个字符串中最长的字符串。每...

  • python 字符串处理算法总结

      应届生找工作的时候,第一轮笔试中,必然是有一个字符串的算法题。字符串处理是算法领域里非常重要的东西,有些是关于...

  • 第一次遇到比较正规的面试就被吊起来打,记录一下

    进去先是手写一个小时的算法题,第一题是不用java String.split切割字符串,我没写当初想的是字符串分成...

  • 算法-字符串之全排列

    字符串的全排列是字符串类的算法题的一个考察点,属于普通问题,它有两种实现方法,递归算法和非递归算法,非递归的方法要...

  • KMP算法文章合集

    字符串的查找:朴素查找算法和KMP算法 暴力匹配算法与KMP算法(串的匹配) 字符串查找算法BF和KMP 字符串匹...

网友评论

      本文标题:【算法题】2707. 字符串中的额外字符

      本文链接:https://www.haomeiwen.com/subject/rituedtx.html