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