Skip to main content

iced_graphics/
text.rs

1//! Draw text.
2pub mod cache;
3pub mod editor;
4pub mod paragraph;
5
6pub use cache::Cache;
7pub use editor::Editor;
8pub use paragraph::Paragraph;
9
10pub use cosmic_text;
11
12use crate::core::alignment;
13use crate::core::font::{self, Font};
14use crate::core::text::{Alignment, Ellipsis, Shaping, Wrapping};
15use crate::core::{Color, Pixels, Point, Rectangle, Size, Transformation};
16
17use std::borrow::Cow;
18use std::collections::HashSet;
19use std::sync::{Arc, OnceLock, RwLock, Weak};
20
21/// A text primitive.
22#[derive(Debug, Clone, PartialEq)]
23pub enum Text {
24    /// A paragraph.
25    #[allow(missing_docs)]
26    Paragraph {
27        paragraph: paragraph::Weak,
28        position: Point,
29        color: Color,
30        clip_bounds: Rectangle,
31        transformation: Transformation,
32    },
33    /// An editor.
34    #[allow(missing_docs)]
35    Editor {
36        editor: editor::Weak,
37        position: Point,
38        color: Color,
39        clip_bounds: Rectangle,
40        transformation: Transformation,
41    },
42    /// Some cached text.
43    Cached {
44        /// The contents of the text.
45        content: String,
46        /// The bounds of the text.
47        bounds: Rectangle,
48        /// The color of the text.
49        color: Color,
50        /// The size of the text in logical pixels.
51        size: Pixels,
52        /// The line height of the text.
53        line_height: Pixels,
54        /// The font of the text.
55        font: Font,
56        /// The horizontal alignment of the text.
57        align_x: Alignment,
58        /// The vertical alignment of the text.
59        align_y: alignment::Vertical,
60        /// The shaping strategy of the text.
61        shaping: Shaping,
62        /// The wrapping strategy of the text.
63        wrapping: Wrapping,
64        /// The ellipsis strategy of the text.
65        ellipsis: Ellipsis,
66        /// The clip bounds of the text.
67        clip_bounds: Rectangle,
68    },
69    /// Some raw text.
70    #[allow(missing_docs)]
71    Raw {
72        raw: Raw,
73        transformation: Transformation,
74    },
75}
76
77impl Text {
78    /// Returns the visible bounds of the [`Text`].
79    pub fn visible_bounds(&self) -> Option<Rectangle> {
80        match self {
81            Text::Paragraph {
82                position,
83                paragraph,
84                clip_bounds,
85                transformation,
86                ..
87            } => Rectangle::new(*position, paragraph.min_bounds)
88                .intersection(clip_bounds)
89                .map(|bounds| bounds * *transformation),
90            Text::Editor {
91                editor,
92                position,
93                clip_bounds,
94                transformation,
95                ..
96            } => Rectangle::new(*position, editor.bounds)
97                .intersection(clip_bounds)
98                .map(|bounds| bounds * *transformation),
99            Text::Cached {
100                bounds,
101                clip_bounds,
102                ..
103            } => bounds.intersection(clip_bounds),
104            Text::Raw { raw, .. } => Some(raw.clip_bounds),
105        }
106    }
107}
108
109/// The regular variant of the [Fira Sans] font.
110///
111/// It is loaded as part of the default fonts when the `fira-sans`
112/// feature is enabled.
113///
114/// [Fira Sans]: https://mozilla.github.io/Fira/
115#[cfg(feature = "fira-sans")]
116pub const FIRA_SANS_REGULAR: &[u8] = include_bytes!("../fonts/FiraSans-Regular.ttf").as_slice();
117
118/// Returns the global [`FontSystem`].
119pub fn font_system() -> &'static RwLock<FontSystem> {
120    static FONT_SYSTEM: OnceLock<RwLock<FontSystem>> = OnceLock::new();
121
122    FONT_SYSTEM.get_or_init(|| {
123        #[allow(unused_mut)]
124        let mut raw = cosmic_text::FontSystem::new_with_fonts([
125            cosmic_text::fontdb::Source::Binary(Arc::new(
126                include_bytes!("../fonts/Iced-Icons.ttf").as_slice(),
127            )),
128            #[cfg(feature = "fira-sans")]
129            cosmic_text::fontdb::Source::Binary(Arc::new(
130                include_bytes!("../fonts/FiraSans-Regular.ttf").as_slice(),
131            )),
132        ]);
133
134        #[cfg(feature = "fira-sans")]
135        raw.db_mut().set_sans_serif_family("Fira Sans");
136
137        RwLock::new(FontSystem {
138            raw,
139            loaded_fonts: HashSet::new(),
140            version: Version::default(),
141        })
142    })
143}
144
145/// A set of system fonts.
146pub struct FontSystem {
147    raw: cosmic_text::FontSystem,
148    loaded_fonts: HashSet<usize>,
149    version: Version,
150}
151
152impl FontSystem {
153    /// Returns the raw [`cosmic_text::FontSystem`].
154    pub fn raw(&mut self) -> &mut cosmic_text::FontSystem {
155        &mut self.raw
156    }
157
158    /// Loads a font from its bytes.
159    pub fn load_font(&mut self, bytes: Cow<'static, [u8]>) {
160        if let Cow::Borrowed(bytes) = bytes {
161            let address = bytes.as_ptr() as usize;
162
163            if !self.loaded_fonts.insert(address) {
164                return;
165            }
166        }
167
168        let _ = self
169            .raw
170            .db_mut()
171            .load_font_source(cosmic_text::fontdb::Source::Binary(Arc::new(
172                bytes.into_owned(),
173            )));
174
175        self.version = Version(self.version.0 + 1);
176    }
177
178    /// Returns an iterator over the family names of all font faces
179    /// in the font database.
180    pub fn families(&self) -> impl Iterator<Item = &str> {
181        self.raw
182            .db()
183            .faces()
184            .filter_map(|face| face.families.first())
185            .map(|(name, _)| name.as_str())
186    }
187
188    /// Returns the current [`Version`] of the [`FontSystem`].
189    ///
190    /// Loading a font will increase the version of a [`FontSystem`].
191    pub fn version(&self) -> Version {
192        self.version
193    }
194}
195
196/// A version number.
197#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash, Default)]
198pub struct Version(u32);
199
200/// A weak reference to a [`cosmic_text::Buffer`] that can be drawn.
201#[derive(Debug, Clone)]
202pub struct Raw {
203    /// A weak reference to a [`cosmic_text::Buffer`].
204    pub buffer: Weak<cosmic_text::Buffer>,
205    /// The position of the text.
206    pub position: Point,
207    /// The color of the text.
208    pub color: Color,
209    /// The clip bounds of the text.
210    pub clip_bounds: Rectangle,
211}
212
213impl PartialEq for Raw {
214    fn eq(&self, _other: &Self) -> bool {
215        // TODO: There is no proper way to compare raw buffers
216        // For now, no two instances of `Raw` text will be equal.
217        // This should be fine, but could trigger unnecessary redraws
218        // in the future.
219        false
220    }
221}
222
223/// Measures the dimensions of the given [`cosmic_text::Buffer`].
224pub fn measure(buffer: &cosmic_text::Buffer) -> (Size, bool) {
225    let (width, height, has_rtl) =
226        buffer
227            .layout_runs()
228            .fold((0.0, 0.0, false), |(width, height, has_rtl), run| {
229                (
230                    run.line_w.max(width),
231                    height + run.line_height,
232                    has_rtl || run.rtl,
233                )
234            });
235
236    (Size::new(width, height), has_rtl)
237}
238
239/// Aligns the given [`cosmic_text::Buffer`] with the given [`Alignment`]
240/// and returns its minimum [`Size`].
241pub fn align(
242    buffer: &mut cosmic_text::Buffer,
243    font_system: &mut cosmic_text::FontSystem,
244    alignment: Alignment,
245) -> Size {
246    let (min_bounds, has_rtl) = measure(buffer);
247    let mut needs_relayout = has_rtl;
248
249    if let Some(align) = to_align(alignment) {
250        let has_multiple_lines = buffer.lines.len() > 1
251            || buffer
252                .lines
253                .first()
254                .is_some_and(|line| line.layout_opt().is_some_and(|layout| layout.len() > 1));
255
256        if has_multiple_lines {
257            for line in &mut buffer.lines {
258                let _ = line.set_align(Some(align));
259            }
260
261            needs_relayout = true;
262        } else if let Some(line) = buffer.lines.first_mut() {
263            needs_relayout = line.set_align(None);
264        }
265    }
266
267    // TODO: Avoid relayout with some changes to `cosmic-text` (?)
268    if needs_relayout {
269        log::trace!("Relayouting paragraph...");
270
271        buffer.set_size(font_system, Some(min_bounds.width), Some(min_bounds.height));
272    }
273
274    min_bounds
275}
276
277/// Returns the attributes of the given [`Font`].
278pub fn to_attributes(font: Font) -> cosmic_text::Attrs<'static> {
279    cosmic_text::Attrs::new()
280        .family(to_family(font.family))
281        .weight(to_weight(font.weight))
282        .stretch(to_stretch(font.stretch))
283        .style(to_style(font.style))
284}
285
286fn to_family(family: font::Family) -> cosmic_text::Family<'static> {
287    match family {
288        font::Family::Name(name) => cosmic_text::Family::Name(name),
289        font::Family::SansSerif => cosmic_text::Family::SansSerif,
290        font::Family::Serif => cosmic_text::Family::Serif,
291        font::Family::Cursive => cosmic_text::Family::Cursive,
292        font::Family::Fantasy => cosmic_text::Family::Fantasy,
293        font::Family::Monospace => cosmic_text::Family::Monospace,
294    }
295}
296
297fn to_weight(weight: font::Weight) -> cosmic_text::Weight {
298    match weight {
299        font::Weight::Thin => cosmic_text::Weight::THIN,
300        font::Weight::ExtraLight => cosmic_text::Weight::EXTRA_LIGHT,
301        font::Weight::Light => cosmic_text::Weight::LIGHT,
302        font::Weight::Normal => cosmic_text::Weight::NORMAL,
303        font::Weight::Medium => cosmic_text::Weight::MEDIUM,
304        font::Weight::Semibold => cosmic_text::Weight::SEMIBOLD,
305        font::Weight::Bold => cosmic_text::Weight::BOLD,
306        font::Weight::ExtraBold => cosmic_text::Weight::EXTRA_BOLD,
307        font::Weight::Black => cosmic_text::Weight::BLACK,
308    }
309}
310
311fn to_stretch(stretch: font::Stretch) -> cosmic_text::Stretch {
312    match stretch {
313        font::Stretch::UltraCondensed => cosmic_text::Stretch::UltraCondensed,
314        font::Stretch::ExtraCondensed => cosmic_text::Stretch::ExtraCondensed,
315        font::Stretch::Condensed => cosmic_text::Stretch::Condensed,
316        font::Stretch::SemiCondensed => cosmic_text::Stretch::SemiCondensed,
317        font::Stretch::Normal => cosmic_text::Stretch::Normal,
318        font::Stretch::SemiExpanded => cosmic_text::Stretch::SemiExpanded,
319        font::Stretch::Expanded => cosmic_text::Stretch::Expanded,
320        font::Stretch::ExtraExpanded => cosmic_text::Stretch::ExtraExpanded,
321        font::Stretch::UltraExpanded => cosmic_text::Stretch::UltraExpanded,
322    }
323}
324
325fn to_style(style: font::Style) -> cosmic_text::Style {
326    match style {
327        font::Style::Normal => cosmic_text::Style::Normal,
328        font::Style::Italic => cosmic_text::Style::Italic,
329        font::Style::Oblique => cosmic_text::Style::Oblique,
330    }
331}
332
333fn to_align(alignment: Alignment) -> Option<cosmic_text::Align> {
334    match alignment {
335        Alignment::Default => None,
336        Alignment::Left => Some(cosmic_text::Align::Left),
337        Alignment::Center => Some(cosmic_text::Align::Center),
338        Alignment::Right => Some(cosmic_text::Align::Right),
339        Alignment::Justified => Some(cosmic_text::Align::Justified),
340    }
341}
342
343/// Converts some [`Shaping`] strategy to a [`cosmic_text::Shaping`] strategy.
344pub fn to_shaping(shaping: Shaping, text: &str) -> cosmic_text::Shaping {
345    match shaping {
346        Shaping::Auto => {
347            if text.is_ascii() {
348                cosmic_text::Shaping::Basic
349            } else {
350                cosmic_text::Shaping::Advanced
351            }
352        }
353        Shaping::Basic => cosmic_text::Shaping::Basic,
354        Shaping::Advanced => cosmic_text::Shaping::Advanced,
355    }
356}
357
358/// Converts some [`Wrapping`] strategy to a [`cosmic_text::Wrap`] strategy.
359pub fn to_wrap(wrapping: Wrapping) -> cosmic_text::Wrap {
360    match wrapping {
361        Wrapping::None => cosmic_text::Wrap::None,
362        Wrapping::Word => cosmic_text::Wrap::Word,
363        Wrapping::Glyph => cosmic_text::Wrap::Glyph,
364        Wrapping::WordOrGlyph => cosmic_text::Wrap::WordOrGlyph,
365    }
366}
367
368/// Converts some [`Ellipsis`] strategy to a [`cosmic_text::Ellipsize`] strategy.
369pub fn to_ellipsize(ellipsis: Ellipsis, max_height: f32) -> cosmic_text::Ellipsize {
370    let limit = cosmic_text::EllipsizeHeightLimit::Height(max_height);
371
372    match ellipsis {
373        Ellipsis::None => cosmic_text::Ellipsize::None,
374        Ellipsis::Start => cosmic_text::Ellipsize::Start(limit),
375        Ellipsis::Middle => cosmic_text::Ellipsize::Middle(limit),
376        Ellipsis::End => cosmic_text::Ellipsize::End(limit),
377    }
378}
379
380/// Converts some [`Color`] to a [`cosmic_text::Color`].
381pub fn to_color(color: Color) -> cosmic_text::Color {
382    let [r, g, b, a] = color.into_rgba8();
383
384    cosmic_text::Color::rgba(r, g, b, a)
385}
386
387/// Returns the ideal hint factor given the size and scale factor of some text.
388pub fn hint_factor(_size: Pixels, _scale_factor: Option<f32>) -> Option<f32> {
389    // TODO: Fix hinting in `cosmic-text`
390    // const MAX_HINTING_SIZE: f32 = 18.0;
391
392    // let hint_factor = scale_factor?;
393
394    // if size.0 * hint_factor < MAX_HINTING_SIZE {
395    //     Some(hint_factor)
396    // } else {
397    //     None
398    // }
399
400    None // Disable all text hinting for now
401}
402
403/// A text renderer coupled to `iced_graphics`.
404pub trait Renderer {
405    /// Draws the given [`Raw`] text.
406    fn fill_raw(&mut self, raw: Raw);
407}