hecto/src/row.rs

54 lines
1.1 KiB
Rust
Raw Normal View History

2021-03-08 10:43:40 -05:00
use std::cmp;
2021-03-08 14:21:24 -05:00
use unicode_segmentation::UnicodeSegmentation;
2021-03-08 10:43:40 -05:00
2021-03-08 10:21:06 -05:00
pub struct Row {
string: String,
2021-03-08 14:21:24 -05:00
len: usize,
2021-03-08 10:43:40 -05:00
}
impl From<&str> for Row {
fn from(slice: &str) -> Self {
2021-03-08 14:21:24 -05:00
let mut row = Self {
2021-03-08 10:43:40 -05:00
string: String::from(slice),
2021-03-08 14:21:24 -05:00
len: 0,
};
row.update_len();
row
2021-03-08 10:43:40 -05:00
}
}
impl Row {
pub fn render(&self, start: usize, end: usize) -> String {
let end = cmp::min(end, self.string.len());
let start = cmp::min(start, end);
2021-03-08 14:21:24 -05:00
let mut result = String::new();
for grapheme in self.string[..]
.graphemes(true)
.skip(start)
.take(end - start)
{
if grapheme == "\t" {
result.push_str(" ");
} else {
result.push_str(grapheme);
}
}
result
}
pub fn len(&self) -> usize {
self.len
}
pub fn is_empty(&self) -> bool {
self.len == 0
}
fn update_len(&mut self) {
self.len = self.string[..].graphemes(true).count();
2021-03-08 10:43:40 -05:00
}
2021-03-08 10:21:06 -05:00
}