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
use embedded_graphics::fonts::Font;
pub trait FontExt {
fn total_char_width(c: char) -> u32;
fn str_width_nocr(s: &str) -> u32;
fn max_space_width(n: u32, max_width: u32) -> (u32, u32);
fn strikethrough_pos() -> u32;
}
impl<F> FontExt for F
where
F: Font,
{
#[inline]
fn total_char_width(c: char) -> u32 {
if c == '\u{A0}' {
return F::char_width(' ') + F::CHARACTER_SPACING;
}
F::char_width(c) + F::CHARACTER_SPACING
}
#[inline]
fn str_width_nocr(s: &str) -> u32 {
let mut current_width = 0;
for c in s.chars() {
current_width += F::total_char_width(c);
}
current_width
}
#[inline]
#[must_use]
fn max_space_width(n: u32, max_width: u32) -> (u32, u32) {
let space_width = F::total_char_width(' ');
let num_spaces = (max_width / space_width).min(n);
(num_spaces * space_width, num_spaces)
}
#[inline]
fn strikethrough_pos() -> u32 {
F::CHARACTER_SIZE.height / 2
}
}
#[cfg(test)]
mod test {
use super::*;
use embedded_graphics::fonts::{Font6x6, Font6x8};
#[test]
fn nbsp_width_equal_to_space() {
assert_eq!(
Font6x8::total_char_width('\u{A0}'),
Font6x8::total_char_width(' ')
);
assert_eq!(
Font6x6::total_char_width('\u{A0}'),
Font6x6::total_char_width(' ')
);
}
#[test]
fn test_max_space_width() {
assert_eq!((0, 0), Font6x8::max_space_width(0, 36));
assert_eq!((36, 6), Font6x8::max_space_width(6, 36));
assert_eq!((36, 6), Font6x8::max_space_width(6, 36));
assert_eq!((36, 6), Font6x8::max_space_width(6, 38));
assert_eq!((36, 6), Font6x8::max_space_width(7, 36));
}
}