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
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
use std::{
fs::File,
io::{BufRead, BufReader},
path::{Path, PathBuf},
};
use crate::{
utils::expression,
utils::variable_data::{GOAT_ASSEMBLY_VARIABLE_DATA, GOAT_TAXON_VARIABLE_DATA},
IndexType, UPPER_CLI_FILE_LIMIT,
};
use anyhow::{bail, Context, Result};
use rand::distributions::Alphanumeric;
use rand::{thread_rng, Rng};
pub fn generate_unique_strings(
matches: &clap::ArgMatches,
index_type: IndexType,
) -> Result<Vec<String>> {
let tax_name_op = matches.get_one::<String>("taxon");
let filename_op = matches.get_one::<PathBuf>("file");
let print_expression = matches.get_one::<bool>("print-expression");
if let Some(p) = print_expression {
if *p {
match index_type {
IndexType::Taxon => expression::print_variable_data(&*GOAT_TAXON_VARIABLE_DATA),
IndexType::Assembly => {
expression::print_variable_data(&*GOAT_ASSEMBLY_VARIABLE_DATA)
}
}
std::process::exit(0);
}
}
let url_vector: Vec<String>;
match tax_name_op {
Some(s) => {
if s.is_empty() {
bail!("Empty string found, please specify a taxon.");
}
url_vector = parse_comma_separated(s);
}
None => match filename_op {
Some(s) => {
url_vector = lines_from_file(s)?;
if url_vector.len() > *UPPER_CLI_FILE_LIMIT {
let limit_string = pretty_print_usize(*UPPER_CLI_FILE_LIMIT);
bail!("Number of taxa specified cannot exceed {}.", limit_string)
}
}
None => bail!("One of -f (--file) or -t (--taxon) should be specified."),
},
}
let url_vector_len = url_vector.len();
let mut chars_vec = vec![];
for _ in 0..url_vector_len {
let mut rng = thread_rng();
let chars: String = (0..15).map(|_| rng.sample(Alphanumeric) as char).collect();
chars_vec.push(chars.clone());
}
Ok(chars_vec)
}
pub fn lines_from_file(filename: impl AsRef<Path>) -> Result<Vec<String>> {
let file = File::open(&filename)
.with_context(|| format!("Could not open {:?}", filename.as_ref().as_os_str()))?;
let buf = BufReader::new(file);
let buf_res: Result<Vec<String>> = buf
.lines()
.map(|l| {
l.with_context(|| {
format!(
"Error in mapping buf_lines from {:?}",
filename.as_ref().as_os_str()
)
})
})
.collect();
buf_res
}
pub fn parse_comma_separated(taxids: &str) -> Vec<String> {
let res: Vec<&str> = taxids.split(',').collect();
let mut res2 = Vec::new();
for mut str in res {
while str.ends_with(' ') {
let len = str.len();
let new_len = len.saturating_sub(" ".len());
str = &str[..new_len];
}
let mut index = 0;
while str.starts_with(' ') {
index += 1;
str = &str[index..];
}
let replaced = str.replace('\"', "").replace('\'', "");
res2.push(replaced);
}
res2.sort_unstable();
res2.dedup();
res2
}
pub fn get_rank_vector(r: &str) -> Vec<String> {
let ranks = vec![
"subspecies".to_string(),
"species".to_string(),
"genus".to_string(),
"family".to_string(),
"order".to_string(),
"class".to_string(),
"phylum".to_string(),
"kingdom".to_string(),
"superkingdom".to_string(),
];
let position_selected = ranks.iter().position(|e| e == r);
match position_selected {
Some(p) => ranks[p..].to_vec(),
None => vec!["".to_string()],
}
}
pub fn format_tsv_output(awaited_fetches: Vec<Result<String, anyhow::Error>>) -> Result<()> {
let mut headers = Vec::new();
for el in &awaited_fetches {
let tsv = match el {
Ok(ref e) => e,
Err(e) => bail!("{}", e),
};
headers.push(tsv.split('\n').next());
}
let header = headers.iter().fold(headers[0], |acc, &item| {
let acc = acc?;
let item = item?;
if item.len() > acc.len() {
Some(item)
} else {
Some(acc)
}
});
match header {
Some(h) => println!("{}", h),
None => bail!("No header found."),
}
for el in awaited_fetches {
let tsv = match el {
Ok(ref e) => e,
Err(e) => bail!("{}", e),
};
let tsv_iter = tsv.split('\n');
for row in tsv_iter.skip(1) {
println!("{}", row)
}
}
Ok(())
}
pub fn some_kind_of_uppercase_first_letter(s: &str) -> String {
let mut c = s.chars();
match c.next() {
None => String::new(),
Some(f) => f.to_uppercase().collect::<String>() + c.as_str(),
}
}
pub fn pretty_print_usize(i: usize) -> String {
let mut s = String::new();
let i_str = i.to_string();
let a = i_str.chars().rev().enumerate();
for (idx, val) in a {
if idx != 0 && idx % 3 == 0 {
s.insert(0, ',');
}
s.insert(0, val);
}
s.to_string()
}
pub fn switch_string_to_url_encoding(string: &str) -> Result<&str> {
let res = match string {
"!=" => "!%3D",
"<" => "%3C",
"<=" => "<%3D",
"=" => "%3D",
"==" => "%3D%3D",
">" => "%3E",
">=" => ">%3D",
_ => bail!("Should not reach here."),
};
Ok(res)
}
pub fn did_you_mean(possibilities: &[String], tried: &str) -> Option<String> {
let mut possible_matches: Vec<_> = possibilities
.iter()
.map(|word| {
let edit_distance = levenshtein_distance(&word.to_lowercase(), &tried.to_lowercase());
(edit_distance, word.to_owned())
})
.collect();
possible_matches.sort();
if let Some((_, first)) = possible_matches.into_iter().next() {
Some(first)
} else {
None
}
}
fn levenshtein_distance(a: &str, b: &str) -> usize {
let mut result = 0;
if a == b {
return result;
}
let length_a = a.chars().count();
let length_b = b.chars().count();
if length_a == 0 {
return length_b;
}
if length_b == 0 {
return length_a;
}
let mut cache: Vec<usize> = (1..).take(length_a).collect();
let mut distance_a;
let mut distance_b;
for (index_b, code_b) in b.chars().enumerate() {
result = index_b;
distance_a = index_b;
for (index_a, code_a) in a.chars().enumerate() {
distance_b = if code_a == code_b {
distance_a
} else {
distance_a + 1
};
distance_a = cache[index_a];
result = if distance_a > result {
if distance_b > result {
result + 1
} else {
distance_b
}
} else if distance_b > distance_a {
distance_a + 1
} else {
distance_b
};
cache[index_a] = result;
}
}
result
}