给定一个非空字符串 s 和一个包含非空单词列表的字典 wordDict,在字符串中增加空格来构建一个句子,使得句子中所有的单词都在词典中。返回所有这些可能的句子。
说明:
分隔时可以重复使用字典中的单词。
你可以假设字典中没有重复的单词。
示例 1:
输入:
s = “catsanddog”
wordDict = [“cat”, “cats”, “and”, “sand”, “dog”]
输出:
[
“cats and dog”,
“cat sand dog”
]
代码
class Solution {List<String> stringList=new ArrayList<>(); Set<Integer> check=new HashSet<>();int maxLen=0,minLen=Integer.MAX_VALUE;public List<String> wordBreak(String s, List<String> wordDict) {for(String word:wordDict)//获取单词的长度范围,限制可选择的长度{maxLen= Math.max(maxLen,word.length());minLen= Math.min(minLen,word.length());}wBreak(s,0,wordDict,new ArrayList<>());return stringList;}public void wBreak(String s,int pos,List<String> wordDict,List<String> list) {if(pos==s.length())//边界{stringList.add( String.join(" ",list));return;}if(check.contains(pos))return;int resL=stringList.size();for(int i=minLen;i+pos<=s.length()&&i<=maxLen;i++){String sub=s.substring(pos,pos+i);for(String word:wordDict)//遍历单词{if(sub.equals(word)){list.add(word);wBreak(s,i+pos,wordDict,list);list.remove(list.size()-1);//回溯}}}if(stringList.size()==resL)//结果序列没有变,说明该位置往后无法产生结果check.add(pos);}
}