Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

add 140 #134

Open
wants to merge 2 commits into
base: master
Choose a base branch
from
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
57 changes: 57 additions & 0 deletions Hard/WordBreakII.java
Original file line number Diff line number Diff line change
@@ -0,0 +1,57 @@
import java.util.*;

/**
* Word Break II
* Given a string s and a dictionary of words dict, add spaces in s to construct a sentence where each word is a valid dictionary word.
* Return all such possible sentences.
* For example, given
* s = "catsanddog",
* dict = ["cat", "cats", "and", "sand", "dog"].
* A solution is ["cats and dog", "cat sand dog"].
* Tags: Dynamic Programming Backtracking
* @author chenshuna
*/

public class WordBreakII {
static HashMap<Integer, List<String>> map = new HashMap<>();

public static List<String> wordBreak(String s, Set<String> wordDict) {
int maxLengthOfWordDict = 0;
for(String str : wordDict)
maxLengthOfWordDict = Math.max(maxLengthOfWordDict, str.length());
return helper(s, wordDict, 0, maxLengthOfWordDict);
}

public static List<String> helper(String s, Set<String> wordDict, int start, int max){
Copy link
Owner

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I can see you want to use max here to save a few iterations. I just doubt how much improvement it would have. For the worst case, you still need to iterate the whole string, right? Besides, it makes the logic more complicated.

And you can make the logic simpler by breaking the word into just two parts 1) the prefix that is in dictionary 2) the suffix to further break. So you don't need start.

List<String> res = new ArrayList<>();
if(start == s.length()) {
res.add("");
return res;
}
for(int i = start + 1 ; i <= max + start && i <= s.length(); i++){
String temp = s.substring(start, i);
Copy link
Owner

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

format

if(wordDict.contains(temp)){
List<String> l;
if(map.containsKey(i))
l = map.get(i);
else
l = helper(s, wordDict, i, max);
for(String ss : l)
res.add(temp + (ss.equals("") ? "" : " ") + ss);
}
}
map.put(start, res);
return res;
}

public static void main(String[] args) {
Set<String> wordDict = new HashSet<String>();
wordDict.add("cat");
wordDict.add("cats");
wordDict.add("and");
wordDict.add("sand");
wordDict.add("dog");
String s = "catsanddog";
System.out.print(wordBreak(s, wordDict));
}
}