思路:
这道题用动态规划做。
比如leetcode这个字符串,我们用一个长度为s.length()+1的布尔型数组isLegal来保存每一个元素的状态。
首先将isLegal [0] 置为 true。
然后isLegal [ i ] 为true表示从s[0]到s[i-1] 的字符字串是都可以被拆分为一个或多个字典中的单词。
isLegal [ i ] = isLegal [ j ] 是否为true && wirdDict.contains (s.substring(j+1,i)) (j = 0,1,…i-1)
class Solution {
public boolean wordBreak(String s, List<String> wordDict) {
boolean[] isLegal = new boolean[s.length()+1];
HashSet<String> hs = new HashSet<>(wordDict);
isLegal[0] = true;
for(int i=1;i<=s.length();i++)
{
boolean isleg;
for(int j=0;j<=i-1;j++)
{
isLegal[i] = isLegal[j]&&hs.contains(s.substring(j,i));
if(isLegal[i]==true)
break;
}
}
// System.out.println(hs);
// for(boolean i:isLegal)
// {
// System.out.println(i);
// }
return isLegal[s.length()];
}
}