blob: 539f3188e3a0b637f15ea93e602b9885931f33e6 (
plain) (
blame)
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
|
//! Font handling.
use std::cell::RefCell;
use std::rc::Rc;
use fontdock::{ContainsChar, FaceFromVec, FontProvider};
use ttf_parser::Face;
/// A reference-counted shared font loader backed by a dynamic font provider.
pub type SharedFontLoader = Rc<RefCell<FontLoader>>;
/// A font loader backed by a dynamic provider.
pub type FontLoader = fontdock::FontLoader<Box<DynProvider>>;
/// The dynamic font provider backing the font loader.
pub type DynProvider = dyn FontProvider<Face = OwnedFace>;
/// An owned font face.
pub struct OwnedFace {
data: Box<[u8]>,
face: Face<'static>,
}
impl OwnedFace {
/// Get a reference to the underlying face.
pub fn get<'a>(&'a self) -> &'a Face<'a> {
// We can't implement Deref because that would leak the internal 'static
// lifetime.
&self.face
}
/// The raw face data.
pub fn data(&self) -> &[u8] {
&self.data
}
}
impl FaceFromVec for OwnedFace {
fn from_vec(vec: Vec<u8>, i: u32) -> Option<Self> {
let data = vec.into_boxed_slice();
// SAFETY: The slices's location is stable in memory since we don't
// touch it and it can't be touched from outside this type.
let slice: &'static [u8] =
unsafe { std::slice::from_raw_parts(data.as_ptr(), data.len()) };
Some(Self {
data,
face: Face::from_slice(slice, i).ok()?,
})
}
}
impl ContainsChar for OwnedFace {
fn contains_char(&self, c: char) -> bool {
self.get().glyph_index(c).is_some()
}
}
|