]>
Commit | Line | Data |
---|---|---|
88a08162 | 1 | use std::borrow::ToOwned; |
a411a19d | 2 | use std::collections::{HashMap, HashSet}; |
7067975b | 3 | use std::fmt::Write; |
9dfa98b7 | 4 | use std::io::BufRead; |
75bb888a SW |
5 | use std::iter::Iterator; |
6 | ||
e44de444 SW |
7 | #[derive(PartialEq, Eq, Debug)] |
8 | struct Config { | |
9 | column_threshold: usize, | |
a0577201 | 10 | static_columns: Vec<Option<String>>, |
3135b2cd | 11 | hidden_columns: HashSet<String>, |
e44de444 SW |
12 | } |
13 | impl Config { | |
f105c5bc | 14 | fn apply_command(&mut self, line_num: usize, cmd: &str) -> Result<(), std::io::Error> { |
e44de444 | 15 | if let Some(threshold) = cmd.strip_prefix("col_threshold ") { |
f105c5bc SW |
16 | self.column_threshold = threshold.parse().map_err(|e| { |
17 | std::io::Error::new( | |
18 | std::io::ErrorKind::InvalidInput, | |
19 | format!("line {line_num}: col_threshold must be numeric: {e}"), | |
20 | ) | |
21 | })?; | |
3135b2cd SW |
22 | } else if let Some(col) = cmd.strip_prefix("hide ") { |
23 | self.hidden_columns.insert(col.to_owned()); | |
a411a19d | 24 | } else if let Some(col) = cmd.strip_prefix("col ") { |
a0577201 SW |
25 | self.static_columns.push(Some(col.to_owned())); |
26 | } else if cmd == "colsep" { | |
27 | self.static_columns.push(None); | |
b2f31832 SW |
28 | } else { |
29 | return Err(std::io::Error::new( | |
30 | std::io::ErrorKind::InvalidInput, | |
f105c5bc | 31 | format!("line {line_num}: Unknown command: {cmd}"), |
b2f31832 | 32 | )); |
e44de444 SW |
33 | } |
34 | Ok(()) | |
35 | } | |
31af9aac | 36 | } |
bc552978 SW |
37 | impl Default for Config { |
38 | fn default() -> Self { | |
39 | Self { | |
40 | column_threshold: 2, | |
41 | static_columns: vec![], | |
3135b2cd | 42 | hidden_columns: HashSet::new(), |
bc552978 SW |
43 | } |
44 | } | |
45 | } | |
71e34cc0 | 46 | |
5ffe8e3a | 47 | const HEADER: &str = r#"<!DOCTYPE html> |
cc2378d5 SW |
48 | <html> |
49 | <head> | |
5ffe8e3a SW |
50 | <meta charset="utf-8"> |
51 | <meta name="viewport" content="width=device-width, initial-scale=1"> | |
cc2378d5 | 52 | <style> |
b8b365ce | 53 | td { text-align: center; } |
cc2378d5 SW |
54 | /* h/t https://wabain.github.io/2019/10/13/css-rotated-table-header.html */ |
55 | th, td { white-space: nowrap; } | |
56 | th { text-align: left; font-weight: normal; } | |
529cbaa2 | 57 | th.spacer_row { height: .3em; } |
a0577201 | 58 | .spacer_col { border: none; width: .2em; } |
cc2378d5 | 59 | table { border-collapse: collapse } |
3bc643e9 | 60 | tr.key > th { height: 10em; vertical-align: bottom; line-height: 1 } |
cc2378d5 SW |
61 | tr.key > th > div { width: 1em; } |
62 | tr.key > th > div > div { width: 5em; transform-origin: bottom left; transform: translateX(1em) rotate(-65deg) } | |
63 | td { border: thin solid gray; } | |
36bc3a39 | 64 | td.leftover { text-align: left; border: none; padding-left: .4em; } |
1dda21e6 | 65 | td.yes { border: thin solid gray; background-color: #ddd; } |
cc2378d5 SW |
66 | /* h/t https://stackoverflow.com/questions/5687035/css-bolding-some-text-without-changing-its-containers-size/46452396#46452396 */ |
67 | .highlight { text-shadow: -0.06ex 0 black, 0.06ex 0 black; } | |
cc2378d5 SW |
68 | </style> |
69 | <script> | |
5ffe8e3a SW |
70 | function highlight(id) { const e = document.getElementById(id); if (e) { e.classList.add( "highlight"); } } |
71 | function clear_highlight(id) { const e = document.getElementById(id); if (e) { e.classList.remove("highlight"); } } | |
cc2378d5 SW |
72 | function h2(a, b) { highlight(a); highlight(b); } |
73 | function ch2(a, b) { clear_highlight(a); clear_highlight(b); } | |
74 | </script> | |
75 | </head> | |
76 | <body> | |
77 | <table> | |
76638ea1 | 78 | <tbody> |
5ffe8e3a | 79 | "#; |
cc2378d5 SW |
80 | const FOOTER: &str = " </tbody> |
81 | </table> | |
82 | </body> | |
83 | </html>"; | |
84 | ||
70436f23 SW |
85 | #[derive(PartialEq, Eq, Debug)] |
86 | pub struct HTML(String); | |
87 | impl HTML { | |
88 | fn escape(value: &str) -> HTML { | |
89 | let mut escaped: String = String::new(); | |
90 | for c in value.chars() { | |
91 | match c { | |
92 | '>' => escaped.push_str(">"), | |
93 | '<' => escaped.push_str("<"), | |
94 | '\'' => escaped.push_str("'"), | |
95 | '"' => escaped.push_str("""), | |
96 | '&' => escaped.push_str("&"), | |
97 | ok_c => escaped.push(ok_c), | |
98 | } | |
99 | } | |
100 | HTML(escaped) | |
101 | } | |
102 | } | |
103 | impl From<&str> for HTML { | |
104 | fn from(value: &str) -> HTML { | |
105 | HTML(String::from(value)) | |
106 | } | |
107 | } | |
108 | impl FromIterator<HTML> for HTML { | |
109 | fn from_iter<T>(iter: T) -> HTML | |
110 | where | |
111 | T: IntoIterator<Item = HTML>, | |
112 | { | |
113 | HTML(iter.into_iter().map(|html| html.0).collect::<String>()) | |
114 | } | |
115 | } | |
116 | impl std::fmt::Display for HTML { | |
117 | fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { | |
118 | write!(f, "{}", self.0) | |
119 | } | |
120 | } | |
121 | ||
88a08162 SW |
122 | #[derive(Debug, PartialEq, Eq)] |
123 | enum InputLine<'a> { | |
124 | Blank, | |
125 | RowHeader(&'a str), | |
126 | Entry(&'a str, Option<&'a str>), | |
e44de444 | 127 | Command(&'a str), |
e8657dff | 128 | } |
88a08162 SW |
129 | impl<'a> From<&'a str> for InputLine<'a> { |
130 | fn from(value: &'a str) -> InputLine<'a> { | |
131 | let trimmed = value.trim_end(); | |
132 | if trimmed.is_empty() { | |
133 | InputLine::Blank | |
e44de444 SW |
134 | } else if let Some(cmd) = trimmed.strip_prefix('!') { |
135 | InputLine::Command(cmd) | |
88a08162 SW |
136 | } else if !trimmed.starts_with(' ') { |
137 | InputLine::RowHeader(value.trim()) | |
138 | } else { | |
139 | match value.split_once(':') { | |
140 | None => InputLine::Entry(value.trim(), None), | |
141 | Some((col, instance)) => InputLine::Entry(col.trim(), Some(instance.trim())), | |
142 | } | |
e8657dff SW |
143 | } |
144 | } | |
145 | } | |
14e9852b | 146 | |
75bb888a | 147 | #[derive(Debug, PartialEq, Eq)] |
88a08162 SW |
148 | struct Row { |
149 | label: String, | |
150 | entries: HashMap<String, Vec<Option<String>>>, | |
75bb888a SW |
151 | } |
152 | ||
06a6a5ca SW |
153 | #[derive(Debug, PartialEq, Eq)] |
154 | enum Rowlike { | |
155 | Row(Row), | |
156 | Spacer, | |
157 | } | |
158 | ||
e44de444 | 159 | struct Reader<'cfg, Input: Iterator<Item = Result<String, std::io::Error>>> { |
8110b492 | 160 | input: std::iter::Enumerate<Input>, |
88a08162 | 161 | row: Option<Row>, |
e44de444 | 162 | config: &'cfg mut Config, |
201b9ef3 | 163 | } |
e44de444 SW |
164 | impl<'cfg, Input: Iterator<Item = Result<String, std::io::Error>>> Reader<'cfg, Input> { |
165 | fn new(config: &'cfg mut Config, input: Input) -> Self { | |
8110b492 SW |
166 | Self { |
167 | input: input.enumerate(), | |
168 | row: None, | |
e44de444 | 169 | config, |
8110b492 | 170 | } |
201b9ef3 SW |
171 | } |
172 | } | |
e44de444 SW |
173 | impl<'cfg, Input: Iterator<Item = Result<String, std::io::Error>>> Iterator |
174 | for Reader<'cfg, Input> | |
175 | { | |
06a6a5ca | 176 | type Item = Result<Rowlike, std::io::Error>; |
201b9ef3 SW |
177 | fn next(&mut self) -> Option<Self::Item> { |
178 | loop { | |
8bf0d5b1 | 179 | match self.input.next() { |
06a6a5ca | 180 | None => return Ok(std::mem::take(&mut self.row).map(Rowlike::Row)).transpose(), |
8110b492 | 181 | Some((_, Err(e))) => return Some(Err(e)), |
88a08162 | 182 | Some((n, Ok(line))) => match InputLine::from(line.as_ref()) { |
e44de444 | 183 | InputLine::Command(cmd) => { |
f105c5bc | 184 | if let Err(e) = self.config.apply_command(n + 1, cmd) { |
e44de444 SW |
185 | return Some(Err(e)); |
186 | } | |
187 | } | |
88a08162 | 188 | InputLine::Blank if self.row.is_some() => { |
06a6a5ca | 189 | return Ok(std::mem::take(&mut self.row).map(Rowlike::Row)).transpose() |
8110b492 | 190 | } |
14a039db | 191 | InputLine::Blank => return Some(Ok(Rowlike::Spacer)), |
88a08162 SW |
192 | InputLine::Entry(col, instance) => match &mut self.row { |
193 | None => { | |
194 | return Some(Err(std::io::Error::other(format!( | |
1df4654a | 195 | "line {}: Entry with no header", |
88a08162 SW |
196 | n + 1 |
197 | )))) | |
198 | } | |
199 | Some(ref mut row) => { | |
200 | row.entries | |
201 | .entry(col.to_owned()) | |
202 | .and_modify(|is| is.push(instance.map(ToOwned::to_owned))) | |
203 | .or_insert_with(|| vec![instance.map(ToOwned::to_owned)]); | |
204 | } | |
205 | }, | |
206 | InputLine::RowHeader(row) => { | |
207 | let prev = std::mem::take(&mut self.row); | |
208 | self.row = Some(Row { | |
209 | label: row.to_owned(), | |
210 | entries: HashMap::new(), | |
211 | }); | |
212 | if prev.is_some() { | |
06a6a5ca | 213 | return Ok(prev.map(Rowlike::Row)).transpose(); |
88a08162 | 214 | } |
201b9ef3 | 215 | } |
88a08162 | 216 | }, |
201b9ef3 SW |
217 | } |
218 | } | |
219 | } | |
220 | } | |
221 | ||
586b332a | 222 | fn read_input(input: impl std::io::Read) -> Result<(Vec<Rowlike>, Config), std::io::Error> { |
bc552978 | 223 | let mut config = Config::default(); |
e44de444 SW |
224 | let reader = Reader::new(&mut config, std::io::BufReader::new(input).lines()); |
225 | reader | |
586b332a | 226 | .collect::<Result<Vec<_>, _>>() |
e44de444 | 227 | .map(|rows| (rows, config)) |
75bb888a SW |
228 | } |
229 | ||
06a6a5ca SW |
230 | fn column_counts(rows: &[Rowlike]) -> Vec<(usize, String)> { |
231 | let empty = HashMap::new(); | |
58b5f36d SW |
232 | let mut counts: Vec<_> = rows |
233 | .iter() | |
06a6a5ca SW |
234 | .flat_map(|rl| match rl { |
235 | Rowlike::Row(r) => r.entries.keys(), | |
236 | Rowlike::Spacer => empty.keys(), | |
237 | }) | |
b8907770 | 238 | .fold(HashMap::new(), |mut cs, col| { |
88a08162 | 239 | cs.entry(col.to_owned()) |
58b5f36d | 240 | .and_modify(|n| *n += 1) |
f272e502 | 241 | .or_insert(1); |
58b5f36d | 242 | cs |
f272e502 | 243 | }) |
58b5f36d SW |
244 | .into_iter() |
245 | .map(|(col, n)| (n, col)) | |
246 | .collect(); | |
38d1167a | 247 | counts.sort_unstable_by(|(an, acol), (bn, bcol)| bn.cmp(an).then(acol.cmp(bcol))); |
58b5f36d | 248 | counts |
f272e502 | 249 | } |
06a6a5ca | 250 | fn column_order(config: &Config, rows: &[Rowlike]) -> Vec<String> { |
a411a19d SW |
251 | let static_columns: HashSet<&str> = config |
252 | .static_columns | |
253 | .iter() | |
a0577201 | 254 | .flatten() |
a411a19d SW |
255 | .map(std::string::String::as_str) |
256 | .collect(); | |
d22b2e05 SW |
257 | column_counts(rows) |
258 | .into_iter() | |
a411a19d | 259 | .filter_map(|(n, col)| { |
3135b2cd SW |
260 | (n >= config.column_threshold |
261 | && !static_columns.contains(col.as_str()) | |
262 | && !config.hidden_columns.contains(&col)) | |
263 | .then_some(col) | |
a411a19d | 264 | }) |
d22b2e05 SW |
265 | .collect() |
266 | } | |
f272e502 | 267 | |
58c0a717 | 268 | fn render_one_instance(instance: &Option<String>) -> HTML { |
88a08162 | 269 | match instance { |
70436f23 SW |
270 | None => HTML::from("✓"), |
271 | Some(instance) => HTML::escape(instance.as_ref()), | |
de408c29 SW |
272 | } |
273 | } | |
274 | ||
f915bc90 SW |
275 | fn render_instances(instances: &[Option<String>]) -> HTML { |
276 | let all_empty = instances.iter().all(Option::is_none); | |
277 | if all_empty && instances.len() == 1 { | |
70436f23 | 278 | HTML::from("") |
de408c29 | 279 | } else if all_empty { |
f915bc90 | 280 | HTML(format!("{}", instances.len())) |
de408c29 | 281 | } else { |
70436f23 | 282 | HTML( |
88a08162 | 283 | instances |
70436f23 | 284 | .iter() |
58c0a717 | 285 | .map(render_one_instance) |
70436f23 SW |
286 | .map(|html| html.0) // Waiting for slice_concat_trait to stabilize |
287 | .collect::<Vec<_>>() | |
288 | .join(" "), | |
289 | ) | |
f915bc90 SW |
290 | } |
291 | } | |
292 | ||
293 | fn render_cell(col: &str, row: &mut Row) -> HTML { | |
294 | let row_label = HTML::escape(row.label.as_ref()); | |
295 | let col_label = HTML::escape(col); | |
296 | let instances: Option<&Vec<Option<String>>> = row.entries.get(col); | |
297 | let class = HTML::from(if instances.is_none() { "" } else { "yes" }); | |
298 | let contents = match instances { | |
299 | None => HTML::from(""), | |
300 | Some(is) => render_instances(is), | |
de408c29 | 301 | }; |
d9bfcf4d | 302 | row.entries.remove(col); |
5ffe8e3a SW |
303 | HTML(format!( |
304 | r#"<td class="{class}" onmouseover="h2('{row_label}','{col_label}')" onmouseout="ch2('{row_label}','{col_label}')">{contents}</td>"# | |
305 | )) | |
de408c29 SW |
306 | } |
307 | ||
9a626020 SW |
308 | fn render_leftover(notcol: &str, instances: &[Option<String>]) -> HTML { |
309 | let label = HTML::escape(notcol); | |
310 | let rest = render_instances(instances); | |
311 | if rest == HTML::from("") { | |
312 | HTML(format!("{label}")) | |
313 | } else { | |
314 | HTML(format!("{label}: {rest}")) | |
315 | } | |
316 | } | |
317 | ||
b4bc28ba | 318 | fn render_all_leftovers(config: &Config, row: &Row) -> HTML { |
3135b2cd SW |
319 | let mut order: Vec<_> = row |
320 | .entries | |
321 | .keys() | |
322 | .filter(|&col| !config.hidden_columns.contains(col)) | |
323 | .collect(); | |
9a626020 SW |
324 | order.sort_unstable(); |
325 | HTML( | |
326 | order | |
327 | .into_iter() | |
328 | .map(|notcol| render_leftover(notcol, row.entries.get(notcol).expect("Key vanished?!"))) | |
329 | .map(|html| html.0) // Waiting for slice_concat_trait to stabilize | |
330 | .collect::<Vec<_>>() | |
331 | .join(", "), | |
332 | ) | |
333 | } | |
334 | ||
215d38d5 | 335 | fn render_row(config: &Config, columns: &[String], rowlike: &mut Rowlike) -> HTML { |
06a6a5ca | 336 | match rowlike { |
529cbaa2 | 337 | Rowlike::Spacer => HTML::from("<tr><th class=\"spacer_row\"></th></tr>\n"), |
06a6a5ca SW |
338 | Rowlike::Row(row) => { |
339 | let row_label = HTML::escape(row.label.as_ref()); | |
a411a19d SW |
340 | let static_cells = config |
341 | .static_columns | |
342 | .iter() | |
a0577201 | 343 | .map(|ocol| match ocol { |
3135b2cd | 344 | Some(col) if config.hidden_columns.contains(col) => HTML::from(""), |
a0577201 SW |
345 | Some(col) => render_cell(col, row), |
346 | None => HTML::from(r#"<td class="spacer_col"></td>"#), | |
347 | }) | |
a411a19d SW |
348 | .collect::<HTML>(); |
349 | let dynamic_cells = columns | |
06a6a5ca | 350 | .iter() |
3135b2cd | 351 | .filter(|&col| !config.hidden_columns.contains(col)) |
06a6a5ca SW |
352 | .map(|col| render_cell(col, row)) |
353 | .collect::<HTML>(); | |
b4bc28ba | 354 | let leftovers = render_all_leftovers(config, row); |
06a6a5ca | 355 | HTML(format!( |
a411a19d | 356 | "<tr><th id=\"{row_label}\">{row_label}</th>{static_cells}{dynamic_cells}<td class=\"leftover\" onmouseover=\"highlight('{row_label}')\" onmouseout=\"clear_highlight('{row_label}')\">{leftovers}</td></tr>\n" |
06a6a5ca SW |
357 | )) |
358 | } | |
359 | } | |
de408c29 SW |
360 | } |
361 | ||
e3feb9dc | 362 | fn column_header_labels<'a>( |
f93f5541 SW |
363 | config: &'a Config, |
364 | columns: &'a [String], | |
365 | ) -> impl Iterator<Item = Option<&'a String>> { | |
a0577201 SW |
366 | let static_columns = config.static_columns.iter().map(|oc| oc.as_ref()); |
367 | let dynamic_columns = columns.iter().map(Some); | |
f93f5541 SW |
368 | static_columns.chain(dynamic_columns).filter(|ocol| { |
369 | ocol.map_or(true, |col| !config.hidden_columns.contains(col)) | |
370 | }) | |
371 | } | |
372 | ||
373 | fn render_column_headers(config: &Config, columns: &[String]) -> HTML { | |
70436f23 | 374 | HTML( |
5ffe8e3a | 375 | String::from(r#"<tr class="key"><th></th>"#) |
e3feb9dc | 376 | + &column_header_labels(config, columns).fold(String::new(), |mut acc, ocol| { |
f93f5541 SW |
377 | match ocol { |
378 | Some(col) => { | |
379 | let col_header = HTML::escape(col); | |
380 | write!( | |
381 | &mut acc, | |
382 | r#"<th id="{col_header}"><div><div>{col_header}</div></div></th>"# | |
383 | ) | |
a0577201 | 384 | } |
f93f5541 SW |
385 | None => write!(&mut acc, r#"<th class="col_spacer"></th>"#), |
386 | } | |
387 | .unwrap(); | |
388 | acc | |
389 | }) | |
70436f23 SW |
390 | + "</tr>\n", |
391 | ) | |
76638ea1 SW |
392 | } |
393 | ||
4b99fb70 SW |
394 | /// # Errors |
395 | /// | |
396 | /// Will return `Err` if | |
397 | /// * there's an i/o error while reading `input` | |
398 | /// * the log has invalid syntax: | |
399 | /// * an indented line with no preceding non-indented line | |
586b332a SW |
400 | pub fn tablify(input: impl std::io::Read) -> Result<HTML, std::io::Error> { |
401 | let (rows, config) = read_input(input)?; | |
402 | let columns = column_order(&config, &rows); | |
70436f23 SW |
403 | Ok(HTML(format!( |
404 | "{HEADER}{}{}{FOOTER}", | |
215d38d5 | 405 | render_column_headers(&config, &columns), |
70436f23 | 406 | rows.into_iter() |
215d38d5 | 407 | .map(|mut r| render_row(&config, &columns, &mut r)) |
70436f23 SW |
408 | .collect::<HTML>() |
409 | ))) | |
ece97615 | 410 | } |
75bb888a SW |
411 | |
412 | #[cfg(test)] | |
413 | mod tests { | |
414 | use super::*; | |
415 | ||
b8907770 | 416 | #[test] |
88a08162 SW |
417 | fn test_parse_line() { |
418 | assert_eq!(InputLine::from(""), InputLine::Blank); | |
419 | assert_eq!(InputLine::from(" "), InputLine::Blank); | |
420 | assert_eq!(InputLine::from("foo"), InputLine::RowHeader("foo")); | |
421 | assert_eq!(InputLine::from("foo "), InputLine::RowHeader("foo")); | |
422 | assert_eq!(InputLine::from(" foo"), InputLine::Entry("foo", None)); | |
b8907770 | 423 | assert_eq!( |
88a08162 SW |
424 | InputLine::from(" foo:bar"), |
425 | InputLine::Entry("foo", Some("bar")) | |
b8907770 SW |
426 | ); |
427 | assert_eq!( | |
88a08162 SW |
428 | InputLine::from(" foo: bar"), |
429 | InputLine::Entry("foo", Some("bar")) | |
b8907770 | 430 | ); |
0d999bc3 | 431 | assert_eq!( |
88a08162 SW |
432 | InputLine::from(" foo: bar "), |
433 | InputLine::Entry("foo", Some("bar")) | |
434 | ); | |
435 | assert_eq!( | |
436 | InputLine::from(" foo: bar "), | |
437 | InputLine::Entry("foo", Some("bar")) | |
438 | ); | |
439 | assert_eq!( | |
440 | InputLine::from(" foo : bar "), | |
441 | InputLine::Entry("foo", Some("bar")) | |
0d999bc3 | 442 | ); |
b8907770 SW |
443 | } |
444 | ||
586b332a SW |
445 | fn read_rows(input: impl std::io::Read) -> Result<Vec<Rowlike>, std::io::Error> { |
446 | read_input(input).map(|(rows, _)| rows) | |
447 | } | |
e44de444 SW |
448 | fn read_config(input: impl std::io::Read) -> Result<Config, std::io::Error> { |
449 | read_input(input).map(|(_, config)| config) | |
450 | } | |
75bb888a SW |
451 | #[test] |
452 | fn test_read_rows() { | |
453 | assert_eq!( | |
12e91300 | 454 | read_rows(&b"foo"[..]).unwrap(), |
06a6a5ca | 455 | vec![Rowlike::Row(Row { |
88a08162 SW |
456 | label: "foo".to_owned(), |
457 | entries: HashMap::new(), | |
06a6a5ca | 458 | })] |
75bb888a | 459 | ); |
9dfa98b7 | 460 | assert_eq!( |
12e91300 | 461 | read_rows(&b"bar"[..]).unwrap(), |
06a6a5ca | 462 | vec![Rowlike::Row(Row { |
88a08162 SW |
463 | label: "bar".to_owned(), |
464 | entries: HashMap::new(), | |
06a6a5ca | 465 | })] |
9dfa98b7 | 466 | ); |
2aa9ef94 | 467 | assert_eq!( |
12e91300 | 468 | read_rows(&b"foo\nbar\n"[..]).unwrap(), |
2aa9ef94 | 469 | vec![ |
06a6a5ca | 470 | Rowlike::Row(Row { |
88a08162 SW |
471 | label: "foo".to_owned(), |
472 | entries: HashMap::new(), | |
06a6a5ca SW |
473 | }), |
474 | Rowlike::Row(Row { | |
88a08162 SW |
475 | label: "bar".to_owned(), |
476 | entries: HashMap::new(), | |
06a6a5ca | 477 | }) |
2aa9ef94 SW |
478 | ] |
479 | ); | |
201b9ef3 | 480 | assert_eq!( |
12e91300 | 481 | read_rows(&b"foo\n bar\n"[..]).unwrap(), |
06a6a5ca | 482 | vec![Rowlike::Row(Row { |
88a08162 SW |
483 | label: "foo".to_owned(), |
484 | entries: HashMap::from([("bar".to_owned(), vec![None])]), | |
06a6a5ca | 485 | })] |
201b9ef3 SW |
486 | ); |
487 | assert_eq!( | |
12e91300 | 488 | read_rows(&b"foo\n bar\n baz\n"[..]).unwrap(), |
06a6a5ca | 489 | vec![Rowlike::Row(Row { |
88a08162 SW |
490 | label: "foo".to_owned(), |
491 | entries: HashMap::from([ | |
492 | ("bar".to_owned(), vec![None]), | |
493 | ("baz".to_owned(), vec![None]) | |
494 | ]), | |
06a6a5ca | 495 | })] |
201b9ef3 SW |
496 | ); |
497 | assert_eq!( | |
12e91300 | 498 | read_rows(&b"foo\n\nbar\n"[..]).unwrap(), |
722ea297 SW |
499 | vec![ |
500 | Rowlike::Row(Row { | |
501 | label: "foo".to_owned(), | |
502 | entries: HashMap::new(), | |
503 | }), | |
504 | Rowlike::Row(Row { | |
505 | label: "bar".to_owned(), | |
506 | entries: HashMap::new(), | |
507 | }) | |
508 | ] | |
509 | ); | |
510 | assert_eq!( | |
12e91300 | 511 | read_rows(&b"foo\n\n\nbar\n"[..]).unwrap(), |
201b9ef3 | 512 | vec![ |
06a6a5ca | 513 | Rowlike::Row(Row { |
88a08162 SW |
514 | label: "foo".to_owned(), |
515 | entries: HashMap::new(), | |
06a6a5ca | 516 | }), |
14a039db | 517 | Rowlike::Spacer, |
06a6a5ca | 518 | Rowlike::Row(Row { |
88a08162 SW |
519 | label: "bar".to_owned(), |
520 | entries: HashMap::new(), | |
06a6a5ca | 521 | }) |
201b9ef3 SW |
522 | ] |
523 | ); | |
1f6bd845 | 524 | assert_eq!( |
12e91300 | 525 | read_rows(&b"foo\n \nbar\n"[..]).unwrap(), |
1f6bd845 | 526 | vec![ |
06a6a5ca | 527 | Rowlike::Row(Row { |
88a08162 SW |
528 | label: "foo".to_owned(), |
529 | entries: HashMap::new(), | |
06a6a5ca SW |
530 | }), |
531 | Rowlike::Row(Row { | |
88a08162 SW |
532 | label: "bar".to_owned(), |
533 | entries: HashMap::new(), | |
06a6a5ca | 534 | }) |
1f6bd845 SW |
535 | ] |
536 | ); | |
537 | assert_eq!( | |
12e91300 | 538 | read_rows(&b"foo \n bar \n"[..]).unwrap(), |
06a6a5ca | 539 | vec![Rowlike::Row(Row { |
88a08162 SW |
540 | label: "foo".to_owned(), |
541 | entries: HashMap::from([("bar".to_owned(), vec![None])]), | |
06a6a5ca | 542 | })] |
1f6bd845 | 543 | ); |
201b9ef3 | 544 | |
12e91300 | 545 | let bad = read_rows(&b" foo"[..]); |
201b9ef3 | 546 | assert!(bad.is_err()); |
1df4654a | 547 | assert!(format!("{bad:?}").contains("line 1: Entry with no header")); |
201b9ef3 | 548 | |
12e91300 | 549 | let bad2 = read_rows(&b"foo\n\n bar"[..]); |
201b9ef3 | 550 | assert!(bad2.is_err()); |
1df4654a | 551 | assert!(format!("{bad2:?}").contains("line 3: Entry with no header")); |
75bb888a | 552 | } |
f272e502 | 553 | |
e44de444 SW |
554 | #[test] |
555 | fn test_read_config() { | |
556 | assert_eq!( | |
fa8b5479 SW |
557 | read_config(&b"!col_threshold 10"[..]) |
558 | .unwrap() | |
559 | .column_threshold, | |
560 | 10 | |
e44de444 | 561 | ); |
a411a19d SW |
562 | assert_eq!( |
563 | read_config(&b"!col foo"[..]).unwrap().static_columns, | |
a0577201 | 564 | vec![Some("foo".to_owned())] |
a411a19d | 565 | ); |
e44de444 | 566 | |
b2f31832 SW |
567 | let bad_command = read_config(&b"!no such command"[..]); |
568 | assert!(bad_command.is_err()); | |
f105c5bc | 569 | assert!(format!("{bad_command:?}").contains("line 1: Unknown command")); |
b2f31832 | 570 | |
e44de444 SW |
571 | let bad_num = read_config(&b"!col_threshold foo"[..]); |
572 | assert!(bad_num.is_err()); | |
f105c5bc | 573 | assert!(format!("{bad_num:?}").contains("line 1: col_threshold must be numeric")); |
e44de444 SW |
574 | } |
575 | ||
f272e502 SW |
576 | #[test] |
577 | fn test_column_counts() { | |
578 | assert_eq!( | |
12e91300 | 579 | column_counts(&read_rows(&b"foo\n bar\n baz\n"[..]).unwrap()), |
58b5f36d | 580 | vec![(1, String::from("bar")), (1, String::from("baz"))] |
f272e502 SW |
581 | ); |
582 | assert_eq!( | |
12e91300 | 583 | column_counts(&read_rows(&b"foo\n bar\n baz\nquux\n baz"[..]).unwrap()), |
38d1167a | 584 | vec![(2, String::from("baz")), (1, String::from("bar"))] |
f272e502 | 585 | ); |
397ef957 | 586 | assert_eq!( |
12e91300 | 587 | column_counts(&read_rows(&b"foo\n bar\n bar\n baz\n bar\nquux\n baz"[..]).unwrap()), |
38d1167a | 588 | vec![(2, String::from("baz")), (1, String::from("bar"))] |
397ef957 | 589 | ); |
b8907770 SW |
590 | assert_eq!( |
591 | column_counts( | |
12e91300 | 592 | &read_rows(&b"foo\n bar: 1\n bar: 2\n baz\n bar\nquux\n baz"[..]).unwrap() |
b8907770 | 593 | ), |
38d1167a | 594 | vec![(2, String::from("baz")), (1, String::from("bar"))] |
b8907770 | 595 | ); |
f272e502 | 596 | } |
de408c29 | 597 | |
a638dfe7 | 598 | #[test] |
e3feb9dc | 599 | fn test_column_header_labels() { |
a638dfe7 SW |
600 | let mut cfg = Config::default(); |
601 | ||
e3feb9dc | 602 | assert!(column_header_labels(&cfg, &["foo".to_owned()]).eq([Some(&"foo".to_owned())])); |
a638dfe7 SW |
603 | |
604 | cfg.static_columns.push(Some("bar".to_owned())); | |
e3feb9dc | 605 | assert!(column_header_labels(&cfg, &["foo".to_owned()]) |
a638dfe7 SW |
606 | .eq([Some(&"bar".to_owned()), Some(&"foo".to_owned())])); |
607 | ||
608 | cfg.static_columns.push(None); | |
e3feb9dc | 609 | assert!(column_header_labels(&cfg, &["foo".to_owned()]).eq([ |
a638dfe7 SW |
610 | Some(&"bar".to_owned()), |
611 | None, | |
612 | Some(&"foo".to_owned()) | |
613 | ])); | |
614 | ||
615 | cfg.hidden_columns.insert("foo".to_owned()); | |
e3feb9dc | 616 | assert!(column_header_labels(&cfg, &["foo".to_owned()]).eq([Some(&"bar".to_owned()), None])); |
a638dfe7 SW |
617 | |
618 | cfg.hidden_columns.insert("bar".to_owned()); | |
e3feb9dc | 619 | assert!(column_header_labels(&cfg, &["foo".to_owned()]).eq([None])); |
a638dfe7 SW |
620 | } |
621 | ||
de408c29 SW |
622 | #[test] |
623 | fn test_render_cell() { | |
624 | assert_eq!( | |
625 | render_cell( | |
626 | "foo", | |
d9bfcf4d | 627 | &mut Row { |
88a08162 SW |
628 | label: "nope".to_owned(), |
629 | entries: HashMap::new(), | |
de408c29 SW |
630 | } |
631 | ), | |
5ffe8e3a SW |
632 | HTML::from( |
633 | r#"<td class="" onmouseover="h2('nope','foo')" onmouseout="ch2('nope','foo')"></td>"# | |
634 | ) | |
de408c29 SW |
635 | ); |
636 | assert_eq!( | |
637 | render_cell( | |
638 | "foo", | |
d9bfcf4d | 639 | &mut Row { |
88a08162 SW |
640 | label: "nope".to_owned(), |
641 | entries: HashMap::from([("bar".to_owned(), vec![None])]), | |
de408c29 SW |
642 | } |
643 | ), | |
5ffe8e3a SW |
644 | HTML::from( |
645 | r#"<td class="" onmouseover="h2('nope','foo')" onmouseout="ch2('nope','foo')"></td>"# | |
646 | ) | |
de408c29 SW |
647 | ); |
648 | assert_eq!( | |
649 | render_cell( | |
650 | "foo", | |
d9bfcf4d | 651 | &mut Row { |
88a08162 SW |
652 | label: "nope".to_owned(), |
653 | entries: HashMap::from([("foo".to_owned(), vec![None])]), | |
de408c29 SW |
654 | } |
655 | ), | |
5ffe8e3a SW |
656 | HTML::from( |
657 | r#"<td class="yes" onmouseover="h2('nope','foo')" onmouseout="ch2('nope','foo')"></td>"# | |
658 | ) | |
de408c29 SW |
659 | ); |
660 | assert_eq!( | |
661 | render_cell( | |
662 | "foo", | |
d9bfcf4d | 663 | &mut Row { |
88a08162 SW |
664 | label: "nope".to_owned(), |
665 | entries: HashMap::from([("foo".to_owned(), vec![None, None])]), | |
de408c29 SW |
666 | } |
667 | ), | |
5ffe8e3a SW |
668 | HTML::from( |
669 | r#"<td class="yes" onmouseover="h2('nope','foo')" onmouseout="ch2('nope','foo')">2</td>"# | |
670 | ) | |
de408c29 SW |
671 | ); |
672 | assert_eq!( | |
673 | render_cell( | |
674 | "foo", | |
d9bfcf4d | 675 | &mut Row { |
88a08162 | 676 | label: "nope".to_owned(), |
5ffe8e3a SW |
677 | entries: HashMap::from([( |
678 | "foo".to_owned(), | |
679 | vec![Some("5".to_owned()), Some("10".to_owned())] | |
680 | )]), | |
de408c29 SW |
681 | } |
682 | ), | |
5ffe8e3a SW |
683 | HTML::from( |
684 | r#"<td class="yes" onmouseover="h2('nope','foo')" onmouseout="ch2('nope','foo')">5 10</td>"# | |
685 | ) | |
de408c29 SW |
686 | ); |
687 | assert_eq!( | |
688 | render_cell( | |
689 | "foo", | |
d9bfcf4d | 690 | &mut Row { |
88a08162 SW |
691 | label: "nope".to_owned(), |
692 | entries: HashMap::from([("foo".to_owned(), vec![Some("5".to_owned()), None])]), | |
de408c29 SW |
693 | } |
694 | ), | |
5ffe8e3a SW |
695 | HTML::from( |
696 | r#"<td class="yes" onmouseover="h2('nope','foo')" onmouseout="ch2('nope','foo')">5 ✓</td>"# | |
697 | ) | |
70436f23 SW |
698 | ); |
699 | assert_eq!( | |
700 | render_cell( | |
701 | "heart", | |
d9bfcf4d | 702 | &mut Row { |
88a08162 SW |
703 | label: "nope".to_owned(), |
704 | entries: HashMap::from([("heart".to_owned(), vec![Some("<3".to_owned())])]), | |
70436f23 SW |
705 | } |
706 | ), | |
5ffe8e3a SW |
707 | HTML::from( |
708 | r#"<td class="yes" onmouseover="h2('nope','heart')" onmouseout="ch2('nope','heart')"><3</td>"# | |
709 | ) | |
70436f23 SW |
710 | ); |
711 | assert_eq!( | |
712 | render_cell( | |
713 | "foo", | |
d9bfcf4d | 714 | &mut Row { |
88a08162 SW |
715 | label: "bob's".to_owned(), |
716 | entries: HashMap::from([("foo".to_owned(), vec![None])]), | |
70436f23 SW |
717 | } |
718 | ), | |
5ffe8e3a SW |
719 | HTML::from( |
720 | r#"<td class="yes" onmouseover="h2('bob's','foo')" onmouseout="ch2('bob's','foo')"></td>"# | |
721 | ) | |
de408c29 | 722 | ); |
d9bfcf4d SW |
723 | let mut r = Row { |
724 | label: "nope".to_owned(), | |
725 | entries: HashMap::from([ | |
726 | ("foo".to_owned(), vec![None]), | |
727 | ("baz".to_owned(), vec![None]), | |
728 | ]), | |
729 | }; | |
730 | assert_eq!(r.entries.len(), 2); | |
731 | render_cell("foo", &mut r); | |
732 | assert_eq!(r.entries.len(), 1); | |
733 | render_cell("bar", &mut r); | |
734 | assert_eq!(r.entries.len(), 1); | |
735 | render_cell("baz", &mut r); | |
736 | assert_eq!(r.entries.len(), 0); | |
de408c29 | 737 | } |
25fd008e | 738 | |
9a626020 SW |
739 | #[test] |
740 | fn test_render_leftovers() { | |
741 | assert_eq!( | |
b4bc28ba SW |
742 | render_all_leftovers( |
743 | &Config::default(), | |
744 | &Row { | |
745 | label: "nope".to_owned(), | |
746 | entries: HashMap::from([("foo".to_owned(), vec![None])]), | |
747 | } | |
748 | ), | |
9a626020 SW |
749 | HTML::from("foo") |
750 | ); | |
751 | assert_eq!( | |
b4bc28ba SW |
752 | render_all_leftovers( |
753 | &Config::default(), | |
754 | &Row { | |
755 | label: "nope".to_owned(), | |
756 | entries: HashMap::from([ | |
757 | ("foo".to_owned(), vec![None]), | |
758 | ("bar".to_owned(), vec![None]) | |
759 | ]), | |
760 | } | |
761 | ), | |
9a626020 SW |
762 | HTML::from("bar, foo") |
763 | ); | |
764 | assert_eq!( | |
b4bc28ba SW |
765 | render_all_leftovers( |
766 | &Config::default(), | |
767 | &Row { | |
768 | label: "nope".to_owned(), | |
769 | entries: HashMap::from([ | |
770 | ("foo".to_owned(), vec![None]), | |
771 | ("bar".to_owned(), vec![None, None]) | |
772 | ]), | |
773 | } | |
774 | ), | |
9a626020 SW |
775 | HTML::from("bar: 2, foo") |
776 | ); | |
3135b2cd SW |
777 | assert_eq!( |
778 | render_all_leftovers( | |
779 | &Config { | |
780 | column_threshold: 2, | |
781 | static_columns: vec![], | |
782 | hidden_columns: HashSet::from(["private".to_owned()]), | |
783 | }, | |
784 | &Row { | |
785 | label: "nope".to_owned(), | |
786 | entries: HashMap::from([("private".to_owned(), vec![None]),]), | |
787 | } | |
788 | ), | |
789 | HTML::from("") | |
790 | ); | |
9a626020 SW |
791 | } |
792 | ||
25fd008e SW |
793 | #[test] |
794 | fn test_render_row() { | |
795 | assert_eq!( | |
796 | render_row( | |
bc552978 | 797 | &Config::default(), |
25fd008e | 798 | &["foo".to_owned()], |
06a6a5ca | 799 | &mut Rowlike::Row(Row { |
25fd008e SW |
800 | label: "nope".to_owned(), |
801 | entries: HashMap::from([("bar".to_owned(), vec![None])]), | |
06a6a5ca | 802 | }) |
25fd008e SW |
803 | ), |
804 | HTML::from( | |
36bc3a39 | 805 | r#"<tr><th id="nope">nope</th><td class="" onmouseover="h2('nope','foo')" onmouseout="ch2('nope','foo')"></td><td class="leftover" onmouseover="highlight('nope')" onmouseout="clear_highlight('nope')">bar</td></tr> |
a411a19d SW |
806 | "# |
807 | ) | |
808 | ); | |
809 | assert_eq!( | |
810 | render_row( | |
811 | &Config { | |
812 | column_threshold: 0, | |
a0577201 | 813 | static_columns: vec![Some("foo".to_owned()), Some("bar".to_owned())], |
3135b2cd | 814 | hidden_columns: HashSet::new(), |
a411a19d SW |
815 | }, |
816 | &["baz".to_owned()], | |
817 | &mut Rowlike::Row(Row { | |
818 | label: "nope".to_owned(), | |
819 | entries: HashMap::from([ | |
820 | ("bar".to_owned(), vec![Some("r".to_owned())]), | |
821 | ("baz".to_owned(), vec![Some("z".to_owned())]), | |
822 | ("foo".to_owned(), vec![Some("f".to_owned())]), | |
823 | ]), | |
824 | }) | |
825 | ), | |
826 | HTML::from( | |
827 | r#"<tr><th id="nope">nope</th><td class="yes" onmouseover="h2('nope','foo')" onmouseout="ch2('nope','foo')">f</td><td class="yes" onmouseover="h2('nope','bar')" onmouseout="ch2('nope','bar')">r</td><td class="yes" onmouseover="h2('nope','baz')" onmouseout="ch2('nope','baz')">z</td><td class="leftover" onmouseover="highlight('nope')" onmouseout="clear_highlight('nope')"></td></tr> | |
a0577201 SW |
828 | "# |
829 | ) | |
830 | ); | |
831 | assert_eq!( | |
832 | render_row( | |
833 | &Config { | |
834 | column_threshold: 0, | |
835 | static_columns: vec![Some("foo".to_owned()), None, Some("bar".to_owned())], | |
3135b2cd | 836 | hidden_columns: HashSet::new(), |
a0577201 SW |
837 | }, |
838 | &[], | |
839 | &mut Rowlike::Row(Row { | |
840 | label: "nope".to_owned(), | |
841 | entries: HashMap::from([ | |
842 | ("bar".to_owned(), vec![Some("r".to_owned())]), | |
843 | ("foo".to_owned(), vec![Some("f".to_owned())]), | |
844 | ]), | |
845 | }) | |
846 | ), | |
847 | HTML::from( | |
848 | r#"<tr><th id="nope">nope</th><td class="yes" onmouseover="h2('nope','foo')" onmouseout="ch2('nope','foo')">f</td><td class="spacer_col"></td><td class="yes" onmouseover="h2('nope','bar')" onmouseout="ch2('nope','bar')">r</td><td class="leftover" onmouseover="highlight('nope')" onmouseout="clear_highlight('nope')"></td></tr> | |
3135b2cd SW |
849 | "# |
850 | ) | |
851 | ); | |
852 | assert_eq!( | |
853 | render_row( | |
854 | &Config { | |
855 | column_threshold: 0, | |
856 | static_columns: vec![], | |
857 | hidden_columns: HashSet::from(["foo".to_owned()]), | |
858 | }, | |
859 | &[], | |
860 | &mut Rowlike::Row(Row { | |
861 | label: "nope".to_owned(), | |
862 | entries: HashMap::from([("foo".to_owned(), vec![Some("f".to_owned())]),]), | |
863 | }) | |
864 | ), | |
865 | HTML::from( | |
866 | r#"<tr><th id="nope">nope</th><td class="leftover" onmouseover="highlight('nope')" onmouseout="clear_highlight('nope')"></td></tr> | |
867 | "# | |
868 | ) | |
869 | ); | |
870 | assert_eq!( | |
871 | render_row( | |
872 | &Config { | |
873 | column_threshold: 0, | |
874 | static_columns: vec![Some("foo".to_owned())], | |
875 | hidden_columns: HashSet::from(["foo".to_owned()]), | |
876 | }, | |
877 | &[], | |
878 | &mut Rowlike::Row(Row { | |
879 | label: "nope".to_owned(), | |
880 | entries: HashMap::from([("foo".to_owned(), vec![Some("f".to_owned())]),]), | |
881 | }) | |
882 | ), | |
883 | HTML::from( | |
884 | r#"<tr><th id="nope">nope</th><td class="leftover" onmouseover="highlight('nope')" onmouseout="clear_highlight('nope')"></td></tr> | |
25fd008e SW |
885 | "# |
886 | ) | |
887 | ); | |
888 | } | |
75bb888a | 889 | } |