力扣【139】单词拆分
作者:互联网
题目:
给定一个非空字符串 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
题解:动态规划啊
import java.util.*;
class Solution {
public boolean wordBreak(String s, List<String> wordDict) {
Set<String> wordDictSet = new HashSet(wordDict);
boolean[] dp = new boolean[s.length() + 1];
dp[0] = true;
for (int i = 1; i <= s.length(); i++) {
for (int j = 0; j < i; j++) {
//转移方程:判断s[0,...,j-1]和s[j,...,i-1]是否合法
if (dp[j] && wordDictSet.contains(s.substring(j, i))) {
dp[i] = true;
break;
}
}
}
return dp[s.length()];
}
}
public class Main {
public static void main(String[] args) {
Solution s = new Solution();
List<String> wordDict = new ArrayList<>();
wordDict.add("cats");
wordDict.add("dog");
wordDict.add("sand");
wordDict.add("and");
wordDict.add("cat");
String str = "catsandog";
//注意这种,wordDictSet不是包含的,所以返回false
/*wordDict.add("d");
String str = "s";*/
boolean res = s.wordBreak(str, wordDict);
System.out.println(res);
}
}
标签:单词,力扣,add,boolean,拆分,wordDict,139,true,字典 来源: https://blog.csdn.net/qq1922631820/article/details/113930828