forked from doocs/leetcode
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathSolution.java
64 lines (64 loc) · 2.49 KB
/
Solution.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
class Solution {
private boolean isConnected = false;
private Map<String, List<String>> hs;
public List<List<String>> findLadders(String beginWord, String endWord, List<String> wordList) {
hs = new HashMap<>(16);
List<List<String>> result = new ArrayList<>();
if(!wordList.contains(endWord))
return result;
HashSet<String> dict = new HashSet<>(wordList);
Set<String> fwd = new HashSet<>();
fwd.add(beginWord);
Set<String> bwd = new HashSet<>();
bwd.add(endWord);
bfs(fwd, bwd, dict, false);
if(!isConnected) return result;
List<String> temp = new ArrayList<>();
temp.add(beginWord);
dfs(result, temp, beginWord, endWord);
return result;
}
private void bfs(Set<String> forward, Set<String> backward, Set<String> dict, boolean swap){
if(forward.isEmpty() || backward.isEmpty()) return;
if(forward.size() > backward.size()){
bfs(backward, forward, dict, !swap);
return;
}
dict.removeAll(forward);
dict.removeAll(backward);
Set<String> set3 = new HashSet<>();
for(String str : forward)
for (int i = 0; i < str.length(); i++) {
char[] ary = str.toCharArray();
for (char j = 'a'; j <= 'z'; j++) {
ary[i] = j;
String temp = new String(ary);
if (!backward.contains(temp) && !dict.contains(temp)) continue;
String key = !swap ? str : temp;
String val = !swap ? temp : str;
if (!hs.containsKey(key)) hs.put(key, new ArrayList<>());
if (backward.contains(temp)) {
hs.get(key).add(val);
isConnected = true;
}
if (!isConnected && dict.contains(temp)) {
hs.get(key).add(val);
set3.add(temp);
}
}
}
if(!isConnected) bfs(set3, backward, dict, swap);
}
private void dfs(List<List<String>> result, List<String> temp, String start, String end){
if(start.equals(end)){
result.add(new ArrayList<>(temp));
return;
}
if(!hs.containsKey(start)) return;
for(String s : hs.get(start)){
temp.add(s);
dfs(result, temp, s, end);
temp.remove(temp.size()-1);
}
}
}