forked from TheAlgorithms/Rust
-
Notifications
You must be signed in to change notification settings - Fork 0
/
duval_algorithm.rs
64 lines (54 loc) · 1.61 KB
/
duval_algorithm.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
// A string is called simple (or a Lyndon word), if it is strictly smaller than any of its own nontrivial suffixes.
// Duval (1983) developed an algorithm for finding the standard factorization that runs in linear time and constant space. Source: https://en.wikipedia.org/wiki/Lyndon_word
fn factorization_with_duval(s: &[u8]) -> Vec<String> {
let n = s.len();
let mut i = 0;
let mut factorization: Vec<String> = Vec::new();
while i < n {
let mut j = i + 1;
let mut k = i;
while j < n && s[k] <= s[j] {
if s[k] < s[j] {
k = i;
} else {
k += 1;
}
j += 1;
}
while i <= k {
factorization.push(String::from_utf8(s[i..i + j - k].to_vec()).unwrap());
i += j - k;
}
}
factorization
}
pub fn duval_algorithm(s: &str) -> Vec<String> {
return factorization_with_duval(s.as_bytes());
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn test_duval_multiple() {
let text = "abcdabcdababc";
assert_eq!(duval_algorithm(text), ["abcd", "abcd", "ababc"]);
}
#[test]
fn test_duval_all() {
let text = "aaa";
assert_eq!(duval_algorithm(text), ["a", "a", "a"]);
}
#[test]
fn test_duval_single() {
let text = "ababb";
assert_eq!(duval_algorithm(text), ["ababb"]);
}
#[test]
fn test_factorization_with_duval_multiple() {
let text = "abcdabcdababc";
assert_eq!(
factorization_with_duval(text.as_bytes()),
["abcd", "abcd", "ababc"]
);
}
}