题目
给你一个字符串 s
和一个字符串列表 wordDict
作为字典。请你判断是否可以利用字典中出现的单词拼接出 s
。
**注意:**不要求字典中出现的单词全部都使用,并且字典中的单词可以重复使用。
示例 1:
输入: s = "leetcode", wordDict = ["leet", "code"]
输出: true
解释: 返回 true 因为 "leetcode" 可以由 "leet" 和 "code" 拼接成。
1
2
3
2
3
示例 2:
输入: s = "applepenapple", wordDict = ["apple", "pen"]
输出: true
解释: 返回 true 因为 "applepenapple" 可以由 "apple" "pen" "apple" 拼接成。
注意,你可以重复使用字典中的单词。
示例 3:
输入: s = "catsandog", wordDict = ["cats", "dog", "sand", "and", "cat"]
输出: false
1
2
2
提示:
1 <= s.length <= 300
1 <= wordDict.length <= 1000
1 <= wordDict[i].length <= 20
s
和wordDict[i]
仅由小写英文字母组成wordDict
中的所有字符串 互不相同
题解
java
static class Trie {
Trie[] children = new Trie[26];
boolean isLeaf;
Trie insert(char c) {
Trie trie = this.get(c);
if (trie != null) {
return trie;
}
trie = new Trie();
this.children[c - 'a'] = trie;
return trie;
}
Trie get(char c) {
return this.children[c - 'a'];
}
void setLeaf() {
this.isLeaf = true;
}
}
public boolean wordBreak(String s, List<String> wordDict) {
Trie root = new Trie();
// 构建字典树
for (String word : wordDict) {
Trie node = root;
for (char c : word.toCharArray()) {
node = node.insert(c);
}
node.setLeaf();
}
int len = s.length();
// 记录访问过的位置
Set<Integer> visited = new HashSet<>();
Function<Integer, Boolean> backtrack = new Function<Integer, Boolean>() {
@Override
public Boolean apply(Integer index) {
if (index == len) {
return true;
}
Trie node = root;
for (int i = index; i < len; i++) {
node = node.get(s.charAt(i));
if (node == null) {
break;
}
// 截断单词
if (node.isLeaf && !visited.contains(i + 1) && this.apply(i + 1)) {
return true;
}
// 不截断继续匹配
}
visited.add(index);
return false;
}
};
return backtrack.apply(0);
}
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
65
66
67
68
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
65
66
67
68