tabled/features/concat.rs
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
//! This module contains a [`Concat`] primitive which can be in order to combine 2 [`Table`]s into 1.
//!
//! # Example
//!
#![cfg_attr(feature = "derive", doc = "```")]
#![cfg_attr(not(feature = "derive"), doc = "```ignore")]
//! use tabled::{Table, Tabled, Style, Concat};
//!
//! #[derive(Tabled)]
//! struct Message {
//! id: &'static str,
//! text: &'static str,
//! }
//!
//! #[derive(Tabled)]
//! struct Department(#[tabled(rename = "department")] &'static str);
//!
//! let messages = [
//! Message { id: "0", text: "Hello World" },
//! Message { id: "1", text: "Do do do something", },
//! ];
//!
//! let departments = [
//! Department("Admins"),
//! Department("DevOps"),
//! Department("R&D"),
//! ];
//!
//! let mut table = Table::new(messages);
//! table
//! .with(Concat::horizontal(Table::new(departments)))
//! .with(Style::extended());
//!
//! assert_eq!(
//! table.to_string(),
//! concat!(
//! "╔════╦════════════════════╦════════════╗\n",
//! "║ id ║ text ║ department ║\n",
//! "╠════╬════════════════════╬════════════╣\n",
//! "║ 0 ║ Hello World ║ Admins ║\n",
//! "╠════╬════════════════════╬════════════╣\n",
//! "║ 1 ║ Do do do something ║ DevOps ║\n",
//! "╠════╬════════════════════╬════════════╣\n",
//! "║ ║ ║ R&D ║\n",
//! "╚════╩════════════════════╩════════════╝",
//! )
//! )
//! ```
use papergrid::{
records::{Records, RecordsMut, Resizable},
width::CfgWidthFunction,
};
use crate::{Table, TableOption};
/// [`Concat`] concatenate tables along a particular axis [Horizontal | Vertical].
/// It doesn't do any key or column comparisons like SQL's join does.
///
/// When the tables has different sizes, empty cells will be created by default.
///
/// [`Concat`] in horizontal mode has similar behaiviour to tuples `(a, b)`.
/// But it behaives on tables rather than on an actual data.
///
/// ```
/// use tabled::{TableIteratorExt, Concat};
/// let table1 = [0, 1, 2, 3].table();
/// let table2 = ["A", "B", "C", "D"].table();
///
/// let mut table3 = table1;
/// table3.with(Concat::horizontal(table2));
/// ```
#[derive(Debug)]
pub struct Concat<T> {
table: Table<T>,
mode: ConcatMode,
default_cell: String,
}
#[derive(Debug)]
enum ConcatMode {
Vertical,
Horizontal,
}
impl<T> Concat<T> {
fn new(table: Table<T>, mode: ConcatMode) -> Self {
Self {
table,
mode,
default_cell: String::new(),
}
}
/// Concatenate 2 tables horizontally (along axis=0)
pub fn vertical(table: Table<T>) -> Self {
Self::new(table, ConcatMode::Vertical)
}
/// Concatenate 2 tables vertically (along axis=1)
pub fn horizontal(table: Table<T>) -> Self {
Self::new(table, ConcatMode::Horizontal)
}
/// Sets a cell's content for cases where 2 tables has different sizes.
pub fn default_cell(mut self, cell: impl Into<String>) -> Self {
self.default_cell = cell.into();
self
}
}
impl<T, R> TableOption<R> for Concat<T>
where
R: Records + Resizable + RecordsMut<String>,
T: Records,
{
fn change(&mut self, lhs: &mut Table<R>) {
let (count_rows, count_cols) = lhs.shape();
let ctrl = CfgWidthFunction::from_cfg(lhs.get_config());
let rhs = &self.table;
match self.mode {
ConcatMode::Horizontal => {
for _ in 0..rhs.get_records().count_columns() {
lhs.get_records_mut().push_column();
}
for row in count_rows..rhs.shape().0 {
lhs.get_records_mut().push_row();
for col in 0..lhs.get_records().count_columns() {
lhs.get_records_mut()
.set((row, col), self.default_cell.clone(), &ctrl);
}
}
for row in 0..rhs.shape().0 {
for col in 0..rhs.shape().1 {
let text = rhs.get_records().get_text((row, col)).to_owned();
let col = col + count_cols;
lhs.get_records_mut().set((row, col), text, &ctrl);
}
}
}
ConcatMode::Vertical => {
for _ in 0..rhs.shape().0 {
lhs.get_records_mut().push_row();
}
for col in count_cols..rhs.shape().1 {
lhs.get_records_mut().push_column();
for row in 0..lhs.shape().0 {
lhs.get_records_mut()
.set((row, col), self.default_cell.clone(), &ctrl);
}
}
for row in 0..rhs.shape().0 {
for col in 0..rhs.shape().1 {
let text = rhs.get_records().get_text((row, col)).to_owned();
let row = row + count_rows;
lhs.get_records_mut().set((row, col), text, &ctrl);
}
}
}
}
}
}