给定一个非空字符串 s 和一个包含非空单词列表的字典 wordDict,判定 s 是否可以被空格拆分为一个或多个在字典中出现的单词。
说明:
- 拆分时可以重复使用字典中的单词。
- 你可以假设字典中没有重复的单词。
示例 1:
输入: s = "leetcode", wordDict = ["leet", "code"] 输出: true 解释: 返回 true 因为 "leetcode" 可以被拆分成 "leet code"。
示例 2:
输入: s = "applepenapple", wordDict = ["apple", "pen"] 输出: true
public boolean wordBreak(String s, List<String> wordDict) {
boolean[]dp=new boolean[s.length()+1];
dp[0]=false;
String temp="";
String pre="";
for(int i=0;i<s.length();i++)
{
temp+=s.charAt(i);
if(wordDict.contains(temp))
{
temp="";
dp[i+1]=true;
}
else
{
for(int k=i-2;k>=-1;k--)
{
if(dp[k+1]==true||k==-1)
{
if(wordDict.contains(s.substring(k+1,i+1)))
{
dp[i+1]=true;
temp="";
break;
}
}
}
}
}
return dp[s.length()];
}
class Solution {
Set<String> map = new HashSet();
public boolean wordBreak(String s, List<String> wordDict) {
if(wordDict.contains(s)) return true;
if(map.contains(s)) return false;
for(String word : wordDict){
if(s.startsWith(word)){
if(wordBreak(s.substring(word.length()), wordDict)) return true;
}
}
map.add(s);
return false;
}
}