ropey/tree/
text_info.rs

1use std::ops::{Add, AddAssign, Sub, SubAssign};
2
3use crate::str_utils::{count_chars, count_line_breaks, count_utf16_surrogates};
4use crate::tree::Count;
5
6#[derive(Debug, Copy, Clone, PartialEq)]
7pub struct TextInfo {
8    pub(crate) bytes: Count,
9    pub(crate) chars: Count,
10    pub(crate) utf16_surrogates: Count,
11    pub(crate) line_breaks: Count,
12}
13
14impl TextInfo {
15    #[inline]
16    pub fn new() -> TextInfo {
17        TextInfo {
18            bytes: 0,
19            chars: 0,
20            utf16_surrogates: 0,
21            line_breaks: 0,
22        }
23    }
24
25    #[inline]
26    pub fn from_str(text: &str) -> TextInfo {
27        TextInfo {
28            bytes: text.len() as Count,
29            chars: count_chars(text) as Count,
30            utf16_surrogates: count_utf16_surrogates(text) as Count,
31            line_breaks: count_line_breaks(text) as Count,
32        }
33    }
34}
35
36impl Add for TextInfo {
37    type Output = Self;
38    #[inline]
39    fn add(self, rhs: TextInfo) -> TextInfo {
40        TextInfo {
41            bytes: self.bytes + rhs.bytes,
42            chars: self.chars + rhs.chars,
43            utf16_surrogates: self.utf16_surrogates + rhs.utf16_surrogates,
44            line_breaks: self.line_breaks + rhs.line_breaks,
45        }
46    }
47}
48
49impl AddAssign for TextInfo {
50    #[inline]
51    fn add_assign(&mut self, other: TextInfo) {
52        *self = *self + other;
53    }
54}
55
56impl Sub for TextInfo {
57    type Output = Self;
58    #[inline]
59    fn sub(self, rhs: TextInfo) -> TextInfo {
60        TextInfo {
61            bytes: self.bytes - rhs.bytes,
62            chars: self.chars - rhs.chars,
63            utf16_surrogates: self.utf16_surrogates - rhs.utf16_surrogates,
64            line_breaks: self.line_breaks - rhs.line_breaks,
65        }
66    }
67}
68
69impl SubAssign for TextInfo {
70    #[inline]
71    fn sub_assign(&mut self, other: TextInfo) {
72        *self = *self - other;
73    }
74}