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
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
#![deny(missing_docs)]
mod camel;
mod kebab;
mod mixed;
mod shouty_kebab;
mod shouty_snake;
mod snake;
mod title;
pub use camel::CamelCase;
pub use kebab::KebabCase;
pub use mixed::MixedCase;
pub use shouty_kebab::ShoutyKebabCase;
pub use shouty_snake::{ShoutySnakeCase, ShoutySnekCase};
pub use snake::{SnakeCase, SnekCase};
pub use title::TitleCase;
use unicode_segmentation::UnicodeSegmentation;
fn transform<F, G>(s: &str, with_word: F, boundary: G) -> String
where
F: Fn(&str, &mut String),
G: Fn(&mut String)
{
#[derive(Clone, Copy, PartialEq)]
enum WordMode {
Boundary,
Lowercase,
Uppercase,
}
let mut out = String::new();
let mut first_word = true;
for word in s.unicode_words() {
let mut char_indices = word.char_indices().peekable();
let mut init = 0;
let mut mode = WordMode::Boundary;
while let Some((i, c)) = char_indices.next() {
if c == '_' {
if init == i { init += 1; }
continue
}
if let Some(&(next_i, next)) = char_indices.peek() {
let next_mode = if c.is_lowercase() {
WordMode::Lowercase
} else if c.is_uppercase() {
WordMode::Uppercase
} else {
mode
};
if next == '_' || (next_mode == WordMode::Lowercase && next.is_uppercase()) {
if !first_word { boundary(&mut out); }
with_word(&word[init..next_i], &mut out);
first_word = false;
init = next_i;
mode = WordMode::Boundary;
} else if mode == WordMode::Uppercase && c.is_uppercase() && next.is_lowercase() {
if !first_word { boundary(&mut out); }
else { first_word = false; }
with_word(&word[init..i], &mut out);
init = i;
mode = WordMode::Boundary;
} else {
mode = next_mode;
}
} else {
if !first_word { boundary(&mut out); }
else { first_word = false; }
with_word(&word[init..], &mut out);
break;
}
}
}
out
}
fn lowercase(s: &str, out: &mut String) {
let mut chars = s.chars().peekable();
while let Some(c) = chars.next() {
if c == 'Σ' && chars.peek().is_none() {
out.push('ς');
} else {
out.extend(c.to_lowercase());
}
}
}
fn uppercase(s: &str, out: &mut String ) {
for c in s.chars() {
out.extend(c.to_uppercase())
}
}
fn capitalize(s: &str, out: &mut String) {
let mut char_indices = s.char_indices();
if let Some((_, c)) = char_indices.next() {
out.extend(c.to_uppercase());
if let Some((i, _)) = char_indices.next() {
lowercase(&s[i..], out);
}
}
}