2015-05-15 18:58:47 +00:00
|
|
|
use vec2::Vec2;
|
2015-05-15 00:41:17 +00:00
|
|
|
use view::{View,DimensionRequest,SizeRequest};
|
|
|
|
use div::*;
|
2015-05-15 18:58:47 +00:00
|
|
|
use printer::Printer;
|
2015-05-15 00:41:17 +00:00
|
|
|
|
|
|
|
/// A simple view showing a fixed text
|
|
|
|
pub struct TextView {
|
|
|
|
content: String,
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Returns the number of lines required to display the given text with the
|
|
|
|
/// specified maximum line width.
|
2015-05-15 00:48:24 +00:00
|
|
|
fn get_line_span(line: &str, max_width: usize) -> usize {
|
2015-05-15 00:41:17 +00:00
|
|
|
let mut lines = 1;
|
|
|
|
let mut length = 0;
|
2015-05-15 00:48:24 +00:00
|
|
|
for l in line.split(" ").map(|word| word.len()) {
|
|
|
|
length += l;
|
|
|
|
if length > max_width {
|
|
|
|
length = l;
|
|
|
|
lines += 1;
|
|
|
|
}
|
|
|
|
}
|
2015-05-15 00:41:17 +00:00
|
|
|
lines
|
|
|
|
}
|
|
|
|
|
|
|
|
impl TextView {
|
|
|
|
/// Creates a new TextView with the given content.
|
|
|
|
pub fn new(content: &str) -> Self {
|
|
|
|
TextView {
|
|
|
|
content: content.to_string(),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Returns the number of lines required to display the content
|
|
|
|
/// with the given width.
|
2015-05-15 00:48:24 +00:00
|
|
|
fn get_num_lines(&self, max_width: usize) -> usize {
|
2015-05-15 00:41:17 +00:00
|
|
|
self.content.split("\n")
|
2015-05-15 00:48:24 +00:00
|
|
|
.map(|line| get_line_span(line, max_width))
|
2015-05-15 00:41:17 +00:00
|
|
|
.fold(0, |sum, x| sum + x)
|
|
|
|
}
|
|
|
|
|
2015-05-15 00:48:24 +00:00
|
|
|
fn get_num_cols(&self, max_height: usize) -> usize {
|
|
|
|
(div_up_usize(self.content.len(), max_height)..self.content.len())
|
|
|
|
.find(|w| self.get_num_lines(*w) <= max_height)
|
2015-05-15 00:41:17 +00:00
|
|
|
.unwrap()
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl View for TextView {
|
2015-05-15 18:58:47 +00:00
|
|
|
fn draw(&self, printer: &Printer) {
|
|
|
|
printer.print((0,0), &self.content);
|
2015-05-15 00:41:17 +00:00
|
|
|
}
|
|
|
|
|
2015-05-15 18:58:47 +00:00
|
|
|
fn get_min_size(&self, size: SizeRequest) -> Vec2 {
|
2015-05-15 00:41:17 +00:00
|
|
|
match (size.w,size.h) {
|
2015-05-15 18:58:47 +00:00
|
|
|
(DimensionRequest::Unknown, DimensionRequest::Unknown) => Vec2::new(self.content.len() as u32, 1),
|
2015-05-15 00:41:17 +00:00
|
|
|
(DimensionRequest::Fixed(w),_) => {
|
|
|
|
let h = self.get_num_lines(w as usize) as u32;
|
2015-05-15 18:58:47 +00:00
|
|
|
Vec2::new(w, h)
|
2015-05-15 00:41:17 +00:00
|
|
|
},
|
|
|
|
(_,DimensionRequest::Fixed(h)) => {
|
|
|
|
let w = self.get_num_cols(h as usize) as u32;
|
2015-05-15 18:58:47 +00:00
|
|
|
Vec2::new(w, h)
|
2015-05-15 00:41:17 +00:00
|
|
|
},
|
2015-05-15 00:48:24 +00:00
|
|
|
(DimensionRequest::AtMost(_),DimensionRequest::AtMost(_)) => unreachable!(),
|
2015-05-15 00:41:17 +00:00
|
|
|
_ => unreachable!(),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|