use crate::*; pub struct Table { /// A [Line] is the content of a cell, a group of cells forms a table row, /// a group of rows forms a separated section of the table, and a group of /// sections forms the table itself. /// Each row in the table has the same number of columns as the table header. pub sections: Vec>>, pub columns: Vec, } impl Table { pub fn from_strs(lines: &[&str]) -> Option { let mut lines = lines.into_iter(); let columns: Vec = { let names = split_cells(lines.next()?)?; let alignments = parse_alignments(lines.next()?)?; if names.len() != alignments.len() { return None } let make_column = |(n, (a, b))| Column { name: n, alignment: a, border_right: b }; std::iter::zip(names, alignments).map(make_column).collect() }; let mut sections = Vec::new(); let mut rows = Vec::new(); for line in lines { if let Some(alignments) = parse_alignments(line) { if alignments.len() != columns.len() { return None } sections.push(std::mem::take(&mut rows)) } else { let row: Vec = split_cells(line)?; if row.len() != columns.len() { return None } rows.push(row); } } if !rows.is_empty() { sections.push(std::mem::take(&mut rows)); } return Some( Self { columns, sections } ); } } pub struct Column { pub name: Line, pub alignment: Alignment, pub border_right: bool, } pub enum Alignment { Left, Center, Right, } impl Alignment { pub fn from_str(cell: &str) -> Option { if !cell.chars().all(|c| c == ':' || c == '-') { return None } match (cell.starts_with(':'), cell.ends_with(':')) { (false, false) => Some(Alignment::Left), (false, true ) => Some(Alignment::Right), (true, false) => Some(Alignment::Left), (true, true ) => Some(Alignment::Center), } } } /// Returns the contents of each cell in the row, and whether the right edge /// is a vertical border. fn split_columns(line: &str) -> Option> { if let Some(("", tail)) = line.split_once('|') { if let Some((head, "")) = tail.rsplit_once('|') { let mut cells: Vec<(String, bool)> = Vec::new(); let mut cell = String::new(); let mut context = None; for c in head.chars() { if Some(c) == context { context = None; } else if "$`*_".contains(c) { context = Some(c); } else if c == '|' && context.is_none() { if !cell.is_empty() { cells.push((std::mem::take(&mut cell), false)); } else if let Some(prev_cell) = cells.last_mut() { prev_cell.1 = true; } continue; } cell.push(c); } if !cell.is_empty() { cells.push((std::mem::take(&mut cell), false)); } else if let Some(prev_cell) = cells.last_mut() { prev_cell.1 = true; } return Some(cells); } } return None; } fn split_cells(line: &str) -> Option> { Some(split_columns(line)?.into_iter().map(|(cell, _)| Line::from_str(&cell)).collect()) } fn parse_alignments(line: &str) -> Option> { let mut alignments = Vec::new(); for (cell, border_right) in split_columns(line)? { alignments.push((Alignment::from_str(&cell)?, border_right)); } Some(alignments) }