summaryrefslogtreecommitdiffstats
path: root/src/cell.rs
blob: 203886d1da293262d187d301c12c89804296b120 (plain)
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
//! This module contains definition of table/row cells stuff
use std::io::{Write, Error};
use std::string::ToString;

/// Represent a table cell containing a string.
/// 
/// Once created, a cell's content cannot be modified.
/// The cell would have to be replaced by another one
#[derive(Clone, Debug)]
pub struct Cell {
	content: Vec<String>,
	width: usize
}

impl Cell {
	/// Create a new `Cell` initialized with content from `string`
	pub fn new(string: &String) -> Cell {
		let content: Vec<String> = string.lines_any().map(|ref x| x.to_string()).collect();
		let mut width = 0;
		for cont in &content {
			let l = cont.len();
			if l > width {
				width = l;
			}
		}
		return Cell {
			content: content,
			width: width
		};
	}
	
	/// Return the height of the cell
	pub fn get_height(&self) -> usize {
		return self.content.len();
	}
	
	/// Return the width of the cell
	pub fn get_width(&self) -> usize {
		return self.width;
	}
	
	/// Return a copy of the full string contained in the cell
	pub fn get_content(&self) -> String {
		return self.content.iter().fold("".to_string(), (|acc, ref item| format!("{}\n{}", acc, item)));
	}
	
	/// Print a partial cell to `out`. Since the cell may be multi-lined,
	/// `idx` is the line index to print. `col_width` is the column width used to
	/// fill the cells with blanks so it fits in the table.
	/// If `ìdx` is higher than this cell's height, it will print empty content
	pub fn print<T: Write>(&self, out: &mut T, idx: usize, col_width: usize) -> Result<(), Error> {
		try!(out.write_all(b" "));
		let mut len = 0;
		if let Some(content) = self.content.get(idx) {
			try!(out.write_all(content.as_bytes()));
			len = content.len();
		}
		try!(out.write_all(&vec![' ' as u8; col_width - len + 1]));
		return Ok(());
	} 
}

impl <'a, T: ToString> From<&'a T> for Cell {
	fn from(f: &T) -> Cell {
		return Cell::new(&f.to_string());
	}
}

impl ToString for Cell {
	fn to_string(&self) -> String {
		return self.get_content();
	}
}

impl Default for Cell {
	/// Return a cell initialized with a single empty `String`
	fn default() -> Cell {
		return Cell {
			content: vec!["".to_string(); 1],
			width: 0
		};
	}
}