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
// SPDX-License-Identifier: MIT OR Apache-2.0

use std::ops::Deref;

use super::{Font, FontMatches};

/// Access system fonts
pub struct FontSystem {
    pub locale: String,
    db: fontdb::Database,
}

impl FontSystem {
    pub fn new() -> Self {
        let locale = sys_locale::get_locale().unwrap_or_else(|| {
            log::warn!("failed to get system locale, falling back to en-US");
            String::from("en-US")
        });
        log::info!("Locale: {}", locale);

        let mut db = fontdb::Database::new();
        let now = std::time::Instant::now();
        db.load_system_fonts();
        //TODO: configurable default fonts
        db.set_monospace_family("Fira Mono");
        db.set_sans_serif_family("Fira Sans");
        db.set_serif_family("DejaVu Serif");
        log::info!(
            "Loaded {} font faces in {}ms.",
            db.len(),
            now.elapsed().as_millis()
        );

        //TODO only do this on demand!
        assert_eq!(db.len(), db.faces().len());
        for i in 0..db.len() {
            let id = db.faces()[i].id;
            unsafe { db.make_shared_face_data(id); }
        }

        Self { locale, db }
    }

    pub fn matches<F: Fn(&fontdb::FaceInfo) -> bool>(
        &self,
        f: F,
    ) -> Option<FontMatches<'_>> {
        let mut fonts = Vec::new();
        for face in self.db.faces() {
            if !f(face) {
                continue;
            }

            let font_opt = Font::new(
                face,
                match &face.source {
                    fontdb::Source::Binary(data) => data.deref().as_ref(),
                    fontdb::Source::File(path) => {
                        log::warn!("Unsupported fontdb Source::File('{}')", path.display());
                        continue;
                    }
                    fontdb::Source::SharedFile(_path, data) => data.deref().as_ref(),
                },
                face.index,
            );

            match font_opt {
                Some(font) => fonts.push(font),
                None => {
                    log::warn!("failed to load font '{}'", face.post_script_name);
                }
            }
        }

        if !fonts.is_empty() {
            Some(FontMatches {
                locale: &self.locale,
                fonts
            })
        } else {
            None
        }
    }
}

impl Default for FontSystem {
    fn default() -> Self {
        Self::new()
    }
}