-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathstring-segmentation-dict.js
71 lines (62 loc) · 2.37 KB
/
string-segmentation-dict.js
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
69
70
71
/**
* Q. You are given a dictionary of words and a large input string. You have to find out whether the input string can
* be completely segmented into the words of a given dictionary. The following two examples elaborate on the problem further.
* ['apple','pear','pie','baby','sweet']
* babygirl = false
* applepie = true
* sweetapple = true
* DP - Dynamic Programming Table
*/
function isAvailableInDict(strArr, segmentedStr) {
const wordSet = new Set(strArr);
const n = segmentedStr.length;
console.log('N',n)
const dp = [true]; // dp[0] = true, represents an empty string is always segmentable.
const subStrSet = new Set();
for (let i = 1; i <= n; i++) { // on which CHAR we are so we PICK from 0 Each Time
dp[i] = false; // Initialize explicitly without fill
for (let j = 0; j < i; j++) {
console.log(j, i)
const substring = segmentedStr.slice(j, i);
subStrSet.add(substring)
if (dp[j] && wordSet.has(substring)) {
console.log('found:',substring)
dp[i] = true;
break;
}
}
}
console.log(subStrSet)
console.log(dp)
return dp[n];
}
// console.log(isAvailableInDict(['apple', 'pear', 'pie', 'baby', 'sweet','s', 'ca', 't'], 'cats'))
// console.log(isAvailableInDict(['apple', 'pear', 'pie', 'baby', 'sweet','a', 'ca', 't'], 'cats'))
console.log(isAvailableInDict(['c','a','t','s'], 'cats'))
const strDict = ['apple', 'pear', 'pie']
function strSegmentations(strArr, word) {
const dictSet = new Set(strArr)
let result = true
function backtracking(currentIndex) {
console.log('backtrack invoke', currentIndex)
if (word.length === currentIndex) {
console.log('complete')
return true
}
// console.log(currentIndex, word.slice(currentIndex, currentIndex))
for (let i = currentIndex + 1; i <= word.length; i++) {
const subWord = word.slice(currentIndex, i);
if (dictSet.has(subWord)) {
console.log('found:', subWord)
if(backtracking(i)) {
return true
}
}
}
return false
}
result = backtracking(0, true);
return result;
}
console.log(strSegmentations(strDict, 'applepear'));
console.log(strSegmentations(['c','a','t','s'], 'cats'))