forked from aylei/leetcode-rust
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathn0030_substring_with_concatenation_of_all_words.rs
132 lines (126 loc) · 4.53 KB
/
n0030_substring_with_concatenation_of_all_words.rs
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
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
/**
* [30] Substring with Concatenation of All Words
*
* You are given a string, s, and a list of words, words, that are all of the same length. Find all starting indices of substring(s) in s that is a concatenation of each word in words exactly once and without any intervening characters.
*
* Example 1:
*
*
* Input:
* s = "barfoothefoobarman",
* words = ["foo","bar"]
* Output: [0,9]
* Explanation: Substrings starting at index 0 and 9 are "barfoor" and "foobar" respectively.
* The output order does not matter, returning [9,0] is fine too.
*
*
* Example 2:
*
*
* Input:
* s = "wordgoodgoodgoodbestword",
* words = ["word","good","best","word"]
* Output: []
*
*
*/
pub struct Solution {}
// submission codes start here
struct Term {
expect: i32,
count: i32,
}
impl Term {
fn new(expect: i32, count: i32) -> Self {
Term{expect, count}
}
fn inc_expect(&mut self) {
self.expect += 1;
}
fn inc(&mut self) {
self.count += 1;
}
fn dec(&mut self) {
self.count -= 1;
}
fn exhausted(&self) -> bool {
self.count > self.expect
}
fn reset(&mut self) {
self.count = 0;
}
}
use std::collections::HashMap;
use std::collections::hash_map::Entry;
impl Solution {
pub fn find_substring(s: String, words: Vec<String>) -> Vec<i32> {
if words.len() < 1 { return vec![] }
let word_len = words[0].len();
if word_len < 1 { return vec![] }
let substr_len = word_len * words.len();
let mut map: HashMap<&str, Term> = HashMap::with_capacity(words.len());
for word in words.iter() {
map.entry(word).or_insert(Term::new(0, 0)).inc_expect();
}
let mut result: Vec<i32> = Vec::new();
// we can split terms in N ways, where N = word_len
for shift in 0..word_len {
let mut i = shift;
let mut j = shift;
// we do a sliding window for each round
while j + word_len - 1 < s.len() {
match map.entry(&s[j..j+word_len]) {
Entry::Occupied(mut entry) => {
entry.get_mut().inc();
// term exhausted, shrink the window to release
if entry.get().exhausted() {
while i < j {
let term = &s[i..i+word_len];
map.entry(term).and_modify(|t| t.dec());
i += word_len;
if term == &s[j..j+word_len] { break }
}
j += word_len;
} else {
if j - i < (words.len() - 1) * word_len {
j += word_len;
} else {
// matched!
result.push(i as i32);
// move the whole window, release the dropped term
map.entry(&s[i..i+word_len]).and_modify(|t| t.dec());
j += word_len; i += word_len;
}
}
},
// bad term, move over and do a reset
Entry::Vacant(entry) => {
map.iter_mut().for_each(|(_, v)| v.reset());
j += word_len; i = j;
},
}
}
map.iter_mut().for_each(|(_, v)| v.reset())
}
result
}
}
// submission codes end
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_30() {
assert_eq!(Solution::find_substring("barfoothefoobarman".to_string(), vec!["foo".to_string(),"bar".to_string()]),
vec![0, 9]);
assert_eq!(Solution::find_substring("wordgoodgoodgoodbestword".to_string(),
vec!["word".to_string(),"good".to_string(), "best".to_string(), "word".to_string()]),
vec![]);
assert_eq!(Solution::find_substring("wordgoodgoodgoodbestword".to_string(),
vec!["word".to_string(),"good".to_string(), "best".to_string(), "good".to_string()]),
vec![8]);
assert_eq!(Solution::find_substring("xxwordgoodgoodgoodbestword".to_string(),
vec!["word".to_string(),"good".to_string(), "best".to_string(), "good".to_string()]),
vec![10]);
}
}