其他分享
首页 > 其他分享> > 274,单词拆分

274,单词拆分

作者:互联网

给定一个非空字符串 s 和一个包含非空单词列表的字典 wordDict,判定 s 是否可以被空格拆分为一个或多个在字典中出现的单词。

说明:

示例 1:

输入: s = "leetcode", wordDict = ["leet", "code"]
输出: true
解释: 返回 true 因为 "leetcode" 可以被拆分成 "leet code"。

示例 2:

输入: s = "applepenapple", wordDict = ["apple", "pen"]
输出: true
解释: 返回 true 因为 "applepenapple" 可以被拆分成 "apple pen apple"。
注意你可以重复使用字典中的单词。

示例 3:

输入: s = "catsandog", wordDict = ["cats", "dog", "sand", "and", "cat"]
输出: false

答案:

 1public boolean wordBreak(String s, List<String> wordDict) {
2    int len = s.length();
3    boolean[] f = new boolean[len + 1];
4    f[0] = true;
5    for (int i = 1; i < len + 1; i++)
6        for (int j = 0; j < i; j++)
7            if (f[j] && wordDict.contains(s.substring(j, i))) {
8                f[i] = true;
9                break;
10            }
11    return f[len];
12}

解析:

f[n]表示前n个字符可以拆分成功。上面代码第7行如果成立就表示前j个字符可以拆分成功并且字符串的j到i拆分成的字符串在wordDict中存在,所以字符串的前i个都能拆分成功。代码比较简单,很容易理解,下面来看一个递归的写法

 1public boolean wordBreak(String s, List<String> wordDict) {
2    return wordBreakHelper(s, new HashSet(wordDict), 0);
3}
4
5public boolean wordBreakHelper(String s, Set<String> wordDict, int start) {
6    if (start == s.length())
7        return true;
8    for (int end = start + 1; end <= s.length(); end++) {
9        if (wordDict.contains(s.substring(start, end)) && wordBreakHelper(s, wordDict, end))
10            return true;
11    }
12    return false;
13}

这种解法应该比上面一种更容易理解,其中workBreadhelper(String s,set<String> wordDict,int start)如果返回true,则表示字符串s从位置start到s.length()都可以拆分成功。但这种说法效率不是很高,有可能会超时,有兴趣的大家可以优化一下

标签:return,int,单词,start,boolean,274,拆分,wordDict,true
来源: https://blog.51cto.com/u_4774266/2902512