1
//! Text elements: `text`, `tspan`, `tref`.
2

            
3
use markup5ever::{expanded_name, local_name, namespace_url, ns, QualName};
4
use pango::IsAttribute;
5
use std::cell::RefCell;
6
use std::convert::TryFrom;
7
use std::rc::Rc;
8

            
9
use crate::bbox::BoundingBox;
10
use crate::document::{AcquiredNodes, NodeId};
11
use crate::drawing_ctx::{create_pango_context, DrawingCtx, FontOptions, Viewport};
12
use crate::element::{set_attribute, ElementData, ElementTrait};
13
use crate::error::*;
14
use crate::layout::{self, FontProperties, Layer, LayerKind, StackingContext, Stroke, TextSpan};
15
use crate::length::*;
16
use crate::node::{CascadedValues, Node, NodeBorrow};
17
use crate::paint_server::PaintSource;
18
use crate::parsers::{CommaSeparatedList, Parse, ParseValue};
19
use crate::properties::{
20
    ComputedValues, Direction, FontStretch, FontStyle, FontVariant, FontWeight, PaintOrder,
21
    TextAnchor, TextRendering, UnicodeBidi, WritingMode, XmlLang, XmlSpace,
22
};
23
use crate::rect::Rect;
24
use crate::rsvg_log;
25
use crate::session::Session;
26
use crate::space::{xml_space_normalize, NormalizeDefault, XmlSpaceNormalize};
27
use crate::transform::{Transform, ValidTransform};
28
use crate::xml::Attributes;
29

            
30
/// The state of a text layout operation.
31
struct LayoutContext {
32
    /// `writing-mode` property from the `<text>` element.
33
    writing_mode: WritingMode,
34

            
35
    /// Current transform in the DrawingCtx.
36
    transform: ValidTransform,
37

            
38
    /// Font options from the DrawingCtx.
39
    font_options: FontOptions,
40

            
41
    /// For normalizing lengths.
42
    viewport: Viewport,
43

            
44
    /// Session metadata for the document
45
    session: Session,
46
}
47

            
48
/// An absolutely-positioned array of `Span`s
49
///
50
/// SVG defines a "[text chunk]" to occur when a text-related element
51
/// has an absolute position adjustment, that is, `x` or `y`
52
/// attributes.
53
///
54
/// A `<text>` element always starts with an absolute position from
55
/// such attributes, or (0, 0) if they are not specified.
56
///
57
/// Subsequent children of the `<text>` element will create new chunks
58
/// whenever they have `x` or `y` attributes.
59
///
60
/// [text chunk]: https://www.w3.org/TR/SVG11/text.html#TextLayoutIntroduction
61
struct Chunk {
62
    values: Rc<ComputedValues>,
63
    x: Option<f64>,
64
    y: Option<f64>,
65
    spans: Vec<Span>,
66
}
67

            
68
struct MeasuredChunk {
69
    values: Rc<ComputedValues>,
70
    x: Option<f64>,
71
    y: Option<f64>,
72
    dx: f64,
73
    dy: f64,
74
    spans: Vec<MeasuredSpan>,
75
}
76

            
77
struct PositionedChunk {
78
    next_chunk_x: f64,
79
    next_chunk_y: f64,
80
    spans: Vec<PositionedSpan>,
81
}
82

            
83
struct Span {
84
    values: Rc<ComputedValues>,
85
    text: String,
86
    dx: f64,
87
    dy: f64,
88
    _depth: usize,
89
    link_target: Option<String>,
90
}
91

            
92
struct MeasuredSpan {
93
    values: Rc<ComputedValues>,
94
    layout: pango::Layout,
95
    layout_size: (f64, f64),
96
    advance: (f64, f64),
97
    dx: f64,
98
    dy: f64,
99
    link_target: Option<String>,
100
}
101

            
102
struct PositionedSpan {
103
    layout: pango::Layout,
104
    values: Rc<ComputedValues>,
105
    rendered_position: (f64, f64),
106
    next_span_position: (f64, f64),
107
    link_target: Option<String>,
108
}
109

            
110
/// A laid-out and resolved text span.
111
///
112
/// The only thing not in user-space units are the `stroke_paint` and `fill_paint`.
113
///
114
/// This is the non-user-space version of `layout::TextSpan`.
115
struct LayoutSpan {
116
    layout: pango::Layout,
117
    gravity: pango::Gravity,
118
    bbox: Option<BoundingBox>,
119
    is_visible: bool,
120
    x: f64,
121
    y: f64,
122
    paint_order: PaintOrder,
123
    stroke: Stroke,
124
    stroke_paint: Rc<PaintSource>,
125
    fill_paint: Rc<PaintSource>,
126
    text_rendering: TextRendering,
127
    link_target: Option<String>,
128
    values: Rc<ComputedValues>,
129
}
130

            
131
impl Chunk {
132
936
    fn new(values: &ComputedValues, x: Option<f64>, y: Option<f64>) -> Chunk {
133
936
        Chunk {
134
936
            values: Rc::new(values.clone()),
135
            x,
136
            y,
137
936
            spans: Vec::new(),
138
        }
139
936
    }
140
}
141

            
142
impl MeasuredChunk {
143
936
    fn from_chunk(layout_context: &LayoutContext, chunk: &Chunk) -> MeasuredChunk {
144
936
        let mut measured_spans: Vec<MeasuredSpan> = chunk
145
            .spans
146
            .iter()
147
1028
            .filter_map(|span| MeasuredSpan::from_span(layout_context, span))
148
            .collect();
149

            
150
        // The first span contains the (dx, dy) that will be applied to the whole chunk.
151
        // Make them 0 in the span, and extract the values to set them on the chunk.
152
        // This is a hack until librsvg adds support for multiple dx/dy values per text/tspan.
153

            
154
936
        let (chunk_dx, chunk_dy) = if let Some(first) = measured_spans.first_mut() {
155
932
            let dx = first.dx;
156
932
            let dy = first.dy;
157
932
            first.dx = 0.0;
158
932
            first.dy = 0.0;
159
932
            (dx, dy)
160
        } else {
161
4
            (0.0, 0.0)
162
        };
163

            
164
936
        MeasuredChunk {
165
936
            values: chunk.values.clone(),
166
936
            x: chunk.x,
167
936
            y: chunk.y,
168
            dx: chunk_dx,
169
            dy: chunk_dy,
170
936
            spans: measured_spans,
171
        }
172
936
    }
173
}
174

            
175
impl PositionedChunk {
176
936
    fn from_measured(
177
        layout_context: &LayoutContext,
178
        measured: &MeasuredChunk,
179
        chunk_x: f64,
180
        chunk_y: f64,
181
    ) -> PositionedChunk {
182
936
        let chunk_direction = measured.values.direction();
183

            
184
        // Position the spans relatively to each other, starting at (0, 0)
185

            
186
936
        let mut positioned = Vec::new();
187

            
188
        // Start position of each span; gets advanced as each span is laid out.
189
        // This is the text's start position, not the bounding box.
190
936
        let mut x = 0.0;
191
936
        let mut y = 0.0;
192

            
193
936
        let mut chunk_bounds: Option<Rect> = None;
194

            
195
        // Find the bounding box of the entire chunk by taking the union of the bounding boxes
196
        // of each individual span.
197

            
198
1962
        for mspan in &measured.spans {
199
1026
            let params = NormalizeParams::new(&mspan.values, &layout_context.viewport);
200

            
201
1025
            let layout = mspan.layout.clone();
202
1026
            let layout_size = mspan.layout_size;
203
1026
            let values = mspan.values.clone();
204
1026
            let dx = mspan.dx;
205
1026
            let dy = mspan.dy;
206
1026
            let advance = mspan.advance;
207

            
208
1026
            let baseline_offset = compute_baseline_offset(&layout, &values, &params);
209

            
210
1026
            let start_pos = match chunk_direction {
211
1020
                Direction::Ltr => (x, y),
212
6
                Direction::Rtl => (x - advance.0, y),
213
            };
214

            
215
1026
            let span_advance = match chunk_direction {
216
1020
                Direction::Ltr => (advance.0, advance.1),
217
6
                Direction::Rtl => (-advance.0, advance.1),
218
            };
219

            
220
1026
            let rendered_position = if layout_context.writing_mode.is_horizontal() {
221
1026
                (start_pos.0 + dx, start_pos.1 - baseline_offset + dy)
222
            } else {
223
                (start_pos.0 + baseline_offset + dx, start_pos.1 + dy)
224
            };
225

            
226
            let span_bounds =
227
1026
                Rect::from_size(layout_size.0, layout_size.1).translate(rendered_position);
228

            
229
            // We take the union here
230

            
231
1026
            if let Some(bounds) = chunk_bounds {
232
94
                chunk_bounds = Some(bounds.union(&span_bounds));
233
            } else {
234
932
                chunk_bounds = Some(span_bounds);
235
            }
236

            
237
1026
            x = x + span_advance.0 + dx;
238
1026
            y = y + span_advance.1 + dy;
239

            
240
1026
            let positioned_span = PositionedSpan {
241
1026
                layout,
242
1026
                values,
243
1026
                rendered_position,
244
1026
                next_span_position: (x, y),
245
1026
                link_target: mspan.link_target.clone(),
246
            };
247

            
248
1026
            positioned.push(positioned_span);
249
1026
        }
250

            
251
        // Compute the offsets needed to align the chunk per the text-anchor property (start, middle, end):
252

            
253
936
        let anchor_offset = text_anchor_offset(
254
936
            measured.values.text_anchor(),
255
            chunk_direction,
256
936
            layout_context.writing_mode,
257
936
            chunk_bounds.unwrap_or_default(),
258
        );
259

            
260
        // Apply the text-anchor offset to each individually-positioned span, and compute the
261
        // start position of the next chunk.  Also add in the chunk's dx/dy.
262

            
263
936
        let mut next_chunk_x = chunk_x;
264
936
        let mut next_chunk_y = chunk_y;
265

            
266
1961
        for pspan in &mut positioned {
267
            // Add the chunk's position, plus the text-anchor offset, plus the chunk's dx/dy.
268
            // This last term is a hack until librsvg adds support for multiple dx/dy values per text/tspan;
269
            // see the corresponding part in MeasuredChunk::from_chunk().
270
1025
            pspan.rendered_position.0 += chunk_x + anchor_offset.0 + measured.dx;
271
1025
            pspan.rendered_position.1 += chunk_y + anchor_offset.1 + measured.dy;
272

            
273
1025
            next_chunk_x = chunk_x + pspan.next_span_position.0 + anchor_offset.0 + measured.dx;
274
1025
            next_chunk_y = chunk_y + pspan.next_span_position.1 + anchor_offset.1 + measured.dy;
275
        }
276

            
277
934
        PositionedChunk {
278
934
            next_chunk_x,
279
934
            next_chunk_y,
280
934
            spans: positioned,
281
        }
282
934
    }
283
}
284

            
285
1026
fn compute_baseline_offset(
286
    layout: &pango::Layout,
287
    values: &ComputedValues,
288
    params: &NormalizeParams,
289
) -> f64 {
290
1026
    let baseline = f64::from(layout.baseline()) / f64::from(pango::SCALE);
291
1026
    let baseline_shift = values.baseline_shift().0.to_user(params);
292
1026
    baseline + baseline_shift
293
1026
}
294

            
295
/// Computes the (x, y) offsets to be applied to spans after applying the text-anchor property (start, middle, end).
296
#[rustfmt::skip]
297
945
fn text_anchor_offset(
298
    anchor: TextAnchor,
299
    direction: Direction,
300
    writing_mode: WritingMode,
301
    chunk_bounds: Rect,
302
) -> (f64, f64) {
303
945
    let (w, h) = (chunk_bounds.width(), chunk_bounds.height());
304

            
305
945
    let x0 = chunk_bounds.x0;
306

            
307
945
    if writing_mode.is_horizontal() {
308
942
        match (anchor, direction) {
309
736
            (TextAnchor::Start,  Direction::Ltr) => (-x0, 0.0),
310
2
            (TextAnchor::Start,  Direction::Rtl) => (-x0 - w, 0.0),
311

            
312
183
            (TextAnchor::Middle, Direction::Ltr) => (-x0 - w / 2.0, 0.0),
313
2
            (TextAnchor::Middle, Direction::Rtl) => (-x0 - w / 2.0, 0.0),
314

            
315
17
            (TextAnchor::End,    Direction::Ltr) => (-x0 - w, 0.0),
316
2
            (TextAnchor::End,    Direction::Rtl) => (-x0, 0.0),
317
        }
318
    } else {
319
        // FIXME: we don't deal with text direction for vertical text yet.
320
3
        match anchor {
321
1
            TextAnchor::Start => (0.0, 0.0),
322
1
            TextAnchor::Middle => (0.0, -h / 2.0),
323
1
            TextAnchor::End => (0.0, -h),
324
        }
325
    }
326
945
}
327

            
328
impl Span {
329
1028
    fn new(
330
        text: &str,
331
        values: Rc<ComputedValues>,
332
        dx: f64,
333
        dy: f64,
334
        depth: usize,
335
        link_target: Option<String>,
336
    ) -> Span {
337
1028
        Span {
338
1028
            values,
339
1028
            text: text.to_string(),
340
            dx,
341
            dy,
342
            _depth: depth,
343
1028
            link_target,
344
        }
345
1028
    }
346
}
347

            
348
/// Use as `PangoUnits::from_pixels()` so that we can check for overflow.
349
2055
struct PangoUnits(i32);
350

            
351
impl PangoUnits {
352
2058
    fn from_pixels(v: f64) -> Option<Self> {
353
        // We want (v * f64::from(pango::SCALE) + 0.5) as i32
354
        //
355
        // But check for overflow.
356

            
357
2058
        cast::i32(v * f64::from(pango::SCALE) + 0.5)
358
            .ok()
359
            .map(PangoUnits)
360
2058
    }
361
}
362

            
363
impl MeasuredSpan {
364
1028
    fn from_span(layout_context: &LayoutContext, span: &Span) -> Option<MeasuredSpan> {
365
1028
        let values = span.values.clone();
366

            
367
1028
        let params = NormalizeParams::new(&values, &layout_context.viewport);
368

            
369
1028
        let properties = FontProperties::new(&values, &params);
370

            
371
1028
        let bidi_control = BidiControl::from_unicode_bidi_and_direction(
372
1028
            properties.unicode_bidi,
373
1028
            properties.direction,
374
        );
375

            
376
1028
        let with_control_chars = wrap_with_direction_control_chars(&span.text, &bidi_control);
377

            
378
2054
        if let Some(layout) = create_pango_layout(layout_context, &properties, &with_control_chars)
379
        {
380
1026
            let (w, h) = layout.size();
381

            
382
1026
            let w = f64::from(w) / f64::from(pango::SCALE);
383
1026
            let h = f64::from(h) / f64::from(pango::SCALE);
384

            
385
1026
            let advance = if layout_context.writing_mode.is_horizontal() {
386
1026
                (w, 0.0)
387
            } else {
388
                (0.0, w)
389
            };
390

            
391
1026
            Some(MeasuredSpan {
392
1026
                values,
393
1026
                layout,
394
                layout_size: (w, h),
395
1026
                advance,
396
1026
                dx: span.dx,
397
1026
                dy: span.dy,
398
1026
                link_target: span.link_target.clone(),
399
            })
400
1026
        } else {
401
2
            None
402
        }
403
1028
    }
404
}
405

            
406
// FIXME: should the pango crate provide this like PANGO_GRAVITY_IS_VERTICAL() ?
407
965
fn gravity_is_vertical(gravity: pango::Gravity) -> bool {
408
965
    matches!(gravity, pango::Gravity::East | pango::Gravity::West)
409
965
}
410

            
411
1026
fn compute_text_box(
412
    layout: &pango::Layout,
413
    x: f64,
414
    y: f64,
415
    transform: Transform,
416
    gravity: pango::Gravity,
417
) -> Option<BoundingBox> {
418
    #![allow(clippy::many_single_char_names)]
419

            
420
1026
    let (ink, _) = layout.extents();
421
1026
    if ink.width() == 0 || ink.height() == 0 {
422
61
        return None;
423
    }
424

            
425
965
    let ink_x = f64::from(ink.x());
426
965
    let ink_y = f64::from(ink.y());
427
965
    let ink_width = f64::from(ink.width());
428
965
    let ink_height = f64::from(ink.height());
429
965
    let pango_scale = f64::from(pango::SCALE);
430

            
431
965
    let (x, y, w, h) = if gravity_is_vertical(gravity) {
432
        (
433
            x + (ink_x - ink_height) / pango_scale,
434
            y + ink_y / pango_scale,
435
            ink_height / pango_scale,
436
            ink_width / pango_scale,
437
        )
438
    } else {
439
965
        (
440
965
            x + ink_x / pango_scale,
441
965
            y + ink_y / pango_scale,
442
965
            ink_width / pango_scale,
443
965
            ink_height / pango_scale,
444
        )
445
    };
446

            
447
965
    let r = Rect::new(x, y, x + w, y + h);
448
965
    let bbox = BoundingBox::new()
449
        .with_transform(transform)
450
        .with_rect(r)
451
        .with_ink_rect(r);
452

            
453
965
    Some(bbox)
454
1026
}
455

            
456
impl PositionedSpan {
457
1026
    fn layout(
458
        &self,
459
        layout_context: &LayoutContext,
460
        acquired_nodes: &mut AcquiredNodes<'_>,
461
    ) -> LayoutSpan {
462
1026
        let params = NormalizeParams::new(&self.values, &layout_context.viewport);
463

            
464
1026
        let layout = self.layout.clone();
465
1026
        let is_visible = self.values.is_visible();
466
1026
        let (x, y) = self.rendered_position;
467

            
468
1026
        let stroke = Stroke::new(&self.values, &params);
469

            
470
1026
        let gravity = layout.context().gravity();
471

            
472
1026
        let bbox = compute_text_box(&layout, x, y, *layout_context.transform, gravity);
473

            
474
2052
        let stroke_paint = self.values.stroke().0.resolve(
475
            acquired_nodes,
476
1026
            self.values.stroke_opacity().0,
477
1026
            self.values.color().0,
478
1026
            None,
479
1026
            None,
480
1026
            &layout_context.session,
481
1026
        );
482

            
483
2051
        let fill_paint = self.values.fill().0.resolve(
484
            acquired_nodes,
485
1024
            self.values.fill_opacity().0,
486
1026
            self.values.color().0,
487
1026
            None,
488
1026
            None,
489
1026
            &layout_context.session,
490
1024
        );
491

            
492
1026
        let paint_order = self.values.paint_order();
493
1026
        let text_rendering = self.values.text_rendering();
494

            
495
1024
        LayoutSpan {
496
1024
            layout,
497
            gravity,
498
            bbox,
499
            is_visible,
500
            x,
501
            y,
502
            paint_order,
503
1024
            stroke,
504
1024
            stroke_paint,
505
1024
            fill_paint,
506
            text_rendering,
507
1024
            values: self.values.clone(),
508
1024
            link_target: self.link_target.clone(),
509
        }
510
1024
    }
511
}
512

            
513
/// Walks the children of a `<text>`, `<tspan>`, or `<tref>` element
514
/// and appends chunks/spans from them into the specified `chunks`
515
/// array.
516
982
fn children_to_chunks(
517
    chunks: &mut Vec<Chunk>,
518
    node: &Node,
519
    acquired_nodes: &mut AcquiredNodes<'_>,
520
    cascaded: &CascadedValues<'_>,
521
    layout_context: &LayoutContext,
522
    dx: f64,
523
    dy: f64,
524
    depth: usize,
525
    link: Option<String>,
526
) {
527
984
    let mut dx = dx;
528
984
    let mut dy = dy;
529

            
530
982
    for child in node.children() {
531
1105
        if child.is_chars() {
532
1016
            let values = cascaded.get();
533
2032
            child.borrow_chars().to_chunks(
534
                &child,
535
1016
                Rc::new(values.clone()),
536
1016
                chunks,
537
1016
                dx,
538
1016
                dy,
539
                depth,
540
1016
                link.clone(),
541
1016
            );
542
        } else {
543
89
            assert!(child.is_element());
544

            
545
89
            match *child.borrow_element_data() {
546
77
                ElementData::TSpan(ref tspan) => {
547
77
                    let cascaded = CascadedValues::clone_with_node(cascaded, &child);
548
77
                    tspan.to_chunks(
549
                        &child,
550
                        acquired_nodes,
551
                        &cascaded,
552
                        layout_context,
553
                        chunks,
554
77
                        dx,
555
77
                        dy,
556
77
                        depth + 1,
557
77
                        link.clone(),
558
                    );
559
77
                }
560

            
561
8
                ElementData::Link(ref link) => {
562
                    // TSpan::default sets all offsets to 0,
563
                    // which is what we want in links.
564
                    //
565
                    // FIXME: This is the only place in the code where an element's method (TSpan::to_chunks)
566
                    // is called with a node that is not the element itself: here, `child` is a Link, not a TSpan.
567
                    //
568
                    // The code works because the `tspan` is dropped immediately after calling to_chunks and no
569
                    // references are retained for it.
570
8
                    let tspan = TSpan::default();
571
8
                    let cascaded = CascadedValues::clone_with_node(cascaded, &child);
572
8
                    tspan.to_chunks(
573
                        &child,
574
                        acquired_nodes,
575
                        &cascaded,
576
                        layout_context,
577
                        chunks,
578
8
                        dx,
579
8
                        dy,
580
8
                        depth + 1,
581
8
                        link.link.clone(),
582
                    );
583
8
                }
584

            
585
4
                ElementData::TRef(ref tref) => {
586
4
                    let cascaded = CascadedValues::clone_with_node(cascaded, &child);
587
8
                    tref.to_chunks(
588
                        &child,
589
                        acquired_nodes,
590
                        &cascaded,
591
                        chunks,
592
4
                        depth + 1,
593
                        layout_context,
594
                    );
595
4
                }
596

            
597
                _ => (),
598
            }
599
81
        }
600

            
601
        // After the first span, we don't need to carry over the parent's dx/dy.
602
935
        dx = 0.0;
603
935
        dy = 0.0;
604
1918
    }
605
1058
}
606

            
607
/// In SVG text elements, we use `Chars` to store character data.  For example,
608
/// an element like `<text>Foo Bar</text>` will be a `Text` with a single child,
609
/// and the child will be a `Chars` with "Foo Bar" for its contents.
610
///
611
/// Text elements can contain `<tspan>` sub-elements.  In this case,
612
/// those `tspan` nodes will also contain `Chars` children.
613
///
614
/// A text or tspan element can contain more than one `Chars` child, for example,
615
/// if there is an XML comment that splits the character contents in two:
616
///
617
/// ```xml
618
/// <text>
619
///   This sentence will create a Chars.
620
///   <!-- this comment is ignored -->
621
///   This sentence will cretea another Chars.
622
/// </text>
623
/// ```
624
///
625
/// When rendering a text element, it will take care of concatenating the strings
626
/// in its `Chars` children as appropriate, depending on the
627
/// `xml:space="preserve"` attribute.  A `Chars` stores the characters verbatim
628
/// as they come out of the XML parser, after ensuring that they are valid UTF-8.
629

            
630
1
#[derive(Default)]
631
pub struct Chars {
632
1
    string: RefCell<String>,
633
1
    space_normalized: RefCell<Option<String>>,
634
}
635

            
636
impl Chars {
637
1034033
    pub fn new(initial_text: &str) -> Chars {
638
1034033
        Chars {
639
1034033
            string: RefCell::new(String::from(initial_text)),
640
1034033
            space_normalized: RefCell::new(None),
641
        }
642
1034033
    }
643

            
644
2
    pub fn is_empty(&self) -> bool {
645
2
        self.string.borrow().is_empty()
646
2
    }
647

            
648
2530
    pub fn append(&self, s: &str) {
649
2530
        self.string.borrow_mut().push_str(s);
650
2530
        *self.space_normalized.borrow_mut() = None;
651
2530
    }
652

            
653
1028
    fn ensure_normalized_string(&self, node: &Node, values: &ComputedValues) {
654
1028
        let mut normalized = self.space_normalized.borrow_mut();
655

            
656
1028
        if (*normalized).is_none() {
657
1023
            let mode = match values.xml_space() {
658
1022
                XmlSpace::Default => XmlSpaceNormalize::Default(NormalizeDefault {
659
1022
                    has_element_before: node.previous_sibling().is_some(),
660
1022
                    has_element_after: node.next_sibling().is_some(),
661
1022
                }),
662

            
663
1
                XmlSpace::Preserve => XmlSpaceNormalize::Preserve,
664
            };
665

            
666
1
            *normalized = Some(xml_space_normalize(mode, &self.string.borrow()));
667
        }
668
1026
    }
669

            
670
1028
    fn make_span(
671
        &self,
672
        node: &Node,
673
        values: Rc<ComputedValues>,
674
        dx: f64,
675
        dy: f64,
676
        depth: usize,
677
        link_target: Option<String>,
678
    ) -> Span {
679
1028
        self.ensure_normalized_string(node, &values);
680

            
681
1028
        Span::new(
682
1028
            self.space_normalized.borrow().as_ref().unwrap(),
683
1028
            values,
684
            dx,
685
            dy,
686
            depth,
687
1028
            link_target,
688
        )
689
1028
    }
690

            
691
1028
    fn to_chunks(
692
        &self,
693
        node: &Node,
694
        values: Rc<ComputedValues>,
695
        chunks: &mut [Chunk],
696
        dx: f64,
697
        dy: f64,
698
        depth: usize,
699
        link_target: Option<String>,
700
    ) {
701
1028
        let span = self.make_span(node, values, dx, dy, depth, link_target);
702
1028
        let num_chunks = chunks.len();
703
1028
        assert!(num_chunks > 0);
704

            
705
1028
        chunks[num_chunks - 1].spans.push(span);
706
1028
    }
707

            
708
43
    pub fn get_string(&self) -> String {
709
43
        self.string.borrow().clone()
710
43
    }
711
}
712

            
713
1848
#[derive(Default)]
714
pub struct Text {
715
924
    x: Length<Horizontal>,
716
924
    y: Length<Vertical>,
717
924
    dx: Length<Horizontal>,
718
924
    dy: Length<Vertical>,
719
}
720

            
721
impl Text {
722
903
    fn make_chunks(
723
        &self,
724
        node: &Node,
725
        acquired_nodes: &mut AcquiredNodes<'_>,
726
        cascaded: &CascadedValues<'_>,
727
        layout_context: &LayoutContext,
728
        x: f64,
729
        y: f64,
730
    ) -> Vec<Chunk> {
731
903
        let mut chunks = Vec::new();
732

            
733
903
        let values = cascaded.get();
734
903
        let params = NormalizeParams::new(values, &layout_context.viewport);
735

            
736
903
        chunks.push(Chunk::new(values, Some(x), Some(y)));
737

            
738
902
        let dx = self.dx.to_user(&params);
739
902
        let dy = self.dy.to_user(&params);
740

            
741
902
        children_to_chunks(
742
            &mut chunks,
743
            node,
744
            acquired_nodes,
745
            cascaded,
746
            layout_context,
747
            dx,
748
            dy,
749
            0,
750
902
            None,
751
        );
752
901
        chunks
753
901
    }
754
}
755

            
756
// Parse an (optionally) comma-separated list and just return the first element.
757
//
758
// From https://gitlab.gnome.org/GNOME/librsvg/-/issues/183, the current implementation
759
// of text layout only supports a single value for the x/y/dx/dy attributes.  However,
760
// we need to be able to parse values with multiple lengths.  So, we'll do that, but just
761
// use the first value from each attribute.
762
1726
fn parse_list_and_extract_first<T: Copy + Default + Parse>(
763
    dest: &mut T,
764
    attr: QualName,
765
    value: &str,
766
    session: &Session,
767
) {
768
1726
    let mut list: CommaSeparatedList<T, 0, 1024> = CommaSeparatedList(Vec::new());
769

            
770
1726
    set_attribute(&mut list, attr.parse(value), session);
771
3452
    if list.0.is_empty() {
772
        *dest = Default::default();
773
    } else {
774
1726
        *dest = list.0[0]; // ignore all but the first element
775
    }
776
1726
}
777

            
778
impl ElementTrait for Text {
779
924
    fn set_attributes(&mut self, attrs: &Attributes, session: &Session) {
780
4099
        for (attr, value) in attrs.iter() {
781
3175
            match attr.expanded() {
782
                expanded_name!("", "x") => {
783
791
                    parse_list_and_extract_first(&mut self.x, attr, value, session)
784
                }
785
                expanded_name!("", "y") => {
786
860
                    parse_list_and_extract_first(&mut self.y, attr, value, session)
787
                }
788
                expanded_name!("", "dx") => {
789
1
                    parse_list_and_extract_first(&mut self.dx, attr, value, session)
790
                }
791
                expanded_name!("", "dy") => {
792
1
                    parse_list_and_extract_first(&mut self.dy, attr, value, session)
793
                }
794
                _ => (),
795
            }
796
3175
        }
797
924
    }
798

            
799
903
    fn layout(
800
        &self,
801
        node: &Node,
802
        acquired_nodes: &mut AcquiredNodes<'_>,
803
        cascaded: &CascadedValues<'_>,
804
        viewport: &Viewport,
805
        draw_ctx: &mut DrawingCtx,
806
        _clipping: bool,
807
    ) -> Result<Option<Layer>, InternalRenderingError> {
808
903
        let values = cascaded.get();
809
903
        let params = NormalizeParams::new(values, viewport);
810

            
811
903
        let elt = node.borrow_element();
812

            
813
903
        let session = draw_ctx.session().clone();
814

            
815
911
        let stacking_ctx = StackingContext::new(
816
            &session,
817
            acquired_nodes,
818
907
            &elt,
819
903
            values.transform(),
820
911
            None,
821
            values,
822
        );
823

            
824
        let layout_text = {
825
907
            let transform = ValidTransform::try_from(Transform::identity()).unwrap();
826

            
827
907
            let layout_context = LayoutContext {
828
903
                writing_mode: values.writing_mode(),
829
                transform,
830
903
                font_options: draw_ctx.get_font_options(),
831
907
                viewport: viewport.clone(),
832
911
                session: session.clone(),
833
            };
834

            
835
907
            let mut x = self.x.to_user(&params);
836
903
            let mut y = self.y.to_user(&params);
837

            
838
911
            let chunks = self.make_chunks(node, acquired_nodes, cascaded, &layout_context, x, y);
839

            
840
907
            let mut measured_chunks = Vec::new();
841
1843
            for chunk in &chunks {
842
936
                measured_chunks.push(MeasuredChunk::from_chunk(&layout_context, chunk));
843
            }
844

            
845
911
            let mut positioned_chunks = Vec::new();
846
1842
            for chunk in &measured_chunks {
847
936
                let chunk_x = chunk.x.unwrap_or(x);
848
936
                let chunk_y = chunk.y.unwrap_or(y);
849

            
850
                let positioned =
851
936
                    PositionedChunk::from_measured(&layout_context, chunk, chunk_x, chunk_y);
852

            
853
935
                x = positioned.next_chunk_x;
854
935
                y = positioned.next_chunk_y;
855

            
856
935
                positioned_chunks.push(positioned);
857
            }
858

            
859
907
            let mut layout_spans = Vec::new();
860
1841
            for chunk in &positioned_chunks {
861
1961
                for span in &chunk.spans {
862
1026
                    layout_spans.push(span.layout(&layout_context, acquired_nodes));
863
                }
864
            }
865

            
866
903
            let empty_bbox = BoundingBox::new().with_transform(*transform);
867

            
868
1929
            let text_bbox = layout_spans.iter().fold(empty_bbox, |mut bbox, span| {
869
1026
                if let Some(ref span_bbox) = span.bbox {
870
965
                    bbox.insert(span_bbox);
871
                }
872

            
873
1026
                bbox
874
1026
            });
875

            
876
903
            let mut text_spans = Vec::new();
877
1929
            for span in layout_spans {
878
1026
                let normalize_values = NormalizeValues::new(&span.values);
879

            
880
1026
                let stroke_paint = span.stroke_paint.to_user_space(
881
                    &text_bbox.rect,
882
1026
                    &layout_context.viewport,
883
                    &normalize_values,
884
1026
                );
885
1026
                let fill_paint = span.fill_paint.to_user_space(
886
                    &text_bbox.rect,
887
1026
                    &layout_context.viewport,
888
                    &normalize_values,
889
                );
890

            
891
1026
                let text_span = TextSpan {
892
1026
                    layout: span.layout,
893
1026
                    gravity: span.gravity,
894
1026
                    bbox: span.bbox,
895
1026
                    is_visible: span.is_visible,
896
1026
                    x: span.x,
897
1026
                    y: span.y,
898
1026
                    paint_order: span.paint_order,
899
1026
                    stroke: span.stroke,
900
1026
                    stroke_paint,
901
                    fill_paint,
902
1026
                    text_rendering: span.text_rendering,
903
1026
                    link_target: span.link_target,
904
                };
905

            
906
1026
                text_spans.push(text_span);
907
1929
            }
908

            
909
903
            layout::Text { spans: text_spans }
910
903
        };
911

            
912
903
        Ok(Some(Layer {
913
903
            kind: LayerKind::Text(Box::new(layout_text)),
914
903
            stacking_ctx,
915
        }))
916
903
    }
917

            
918
903
    fn draw(
919
        &self,
920
        node: &Node,
921
        acquired_nodes: &mut AcquiredNodes<'_>,
922
        cascaded: &CascadedValues<'_>,
923
        viewport: &Viewport,
924
        draw_ctx: &mut DrawingCtx,
925
        clipping: bool,
926
    ) -> Result<BoundingBox, InternalRenderingError> {
927
1806
        self.layout(node, acquired_nodes, cascaded, viewport, draw_ctx, clipping)
928
1806
            .and_then(|layer| {
929
903
                draw_ctx.draw_layer(layer.as_ref().unwrap(), acquired_nodes, clipping, viewport)
930
903
            })
931
903
    }
932
}
933

            
934
8
#[derive(Default)]
935
pub struct TRef {
936
4
    link: Option<NodeId>,
937
}
938

            
939
impl TRef {
940
4
    fn to_chunks(
941
        &self,
942
        node: &Node,
943
        acquired_nodes: &mut AcquiredNodes<'_>,
944
        cascaded: &CascadedValues<'_>,
945
        chunks: &mut Vec<Chunk>,
946
        depth: usize,
947
        layout_context: &LayoutContext,
948
    ) {
949
4
        if self.link.is_none() {
950
            return;
951
        }
952

            
953
4
        let link = self.link.as_ref().unwrap();
954

            
955
4
        let values = cascaded.get();
956
4
        if !values.is_displayed() {
957
            return;
958
        }
959

            
960
4
        if let Ok(acquired) = acquired_nodes.acquire(link) {
961
4
            let c = acquired.get();
962
4
            extract_chars_children_to_chunks_recursively(chunks, c, Rc::new(values.clone()), depth);
963
4
        } else {
964
            rsvg_log!(
965
                layout_context.session,
966
                "element {} references a nonexistent text source \"{}\"",
967
                node,
968
                link,
969
            );
970
        }
971
4
    }
972
}
973

            
974
12
fn extract_chars_children_to_chunks_recursively(
975
    chunks: &mut Vec<Chunk>,
976
    node: &Node,
977
    values: Rc<ComputedValues>,
978
    depth: usize,
979
) {
980
12
    for child in node.children() {
981
20
        let values = values.clone();
982

            
983
20
        if child.is_chars() {
984
24
            child
985
                .borrow_chars()
986
12
                .to_chunks(&child, values, chunks, 0.0, 0.0, depth, None)
987
12
        } else {
988
8
            extract_chars_children_to_chunks_recursively(chunks, &child, values, depth + 1)
989
        }
990
32
    }
991
28
}
992

            
993
impl ElementTrait for TRef {
994
4
    fn set_attributes(&mut self, attrs: &Attributes, _session: &Session) {
995
4
        self.link = attrs
996
            .iter()
997
4
            .find(|(attr, _)| attr.expanded() == expanded_name!(xlink "href"))
998
            // Unlike other elements which use `href` in SVG2 versus `xlink:href` in SVG1.1,
999
            // the <tref> element got removed in SVG2.  So, here we still use a match
            // against the full namespaced version of the attribute.
4
            .and_then(|(attr, value)| NodeId::parse(value).attribute(attr).ok());
4
    }
}
186
#[derive(Default)]
pub struct TSpan {
93
    x: Option<Length<Horizontal>>,
93
    y: Option<Length<Vertical>>,
93
    dx: Length<Horizontal>,
93
    dy: Length<Vertical>,
}
impl TSpan {
179
    fn to_chunks(
        &self,
        node: &Node,
        acquired_nodes: &mut AcquiredNodes<'_>,
        cascaded: &CascadedValues<'_>,
        layout_context: &LayoutContext,
        chunks: &mut Vec<Chunk>,
        dx: f64,
        dy: f64,
        depth: usize,
        link: Option<String>,
    ) {
179
        let values = cascaded.get();
85
        if !values.is_displayed() {
            return;
        }
80
        let params = NormalizeParams::new(values, &layout_context.viewport);
113
        let x = self.x.map(|l| l.to_user(&params));
104
        let y = self.y.map(|l| l.to_user(&params));
80
        let span_dx = dx + self.dx.to_user(&params);
80
        let span_dy = dy + self.dy.to_user(&params);
80
        if x.is_some() || y.is_some() {
80
            chunks.push(Chunk::new(values, x, y));
        }
33
        children_to_chunks(
            chunks,
            node,
            acquired_nodes,
            cascaded,
            layout_context,
            span_dx,
            span_dy,
            depth,
127
            link,
        );
85
    }
}
impl ElementTrait for TSpan {
85
    fn set_attributes(&mut self, attrs: &Attributes, session: &Session) {
209
        for (attr, value) in attrs.iter() {
124
            match attr.expanded() {
                expanded_name!("", "x") => {
33
                    parse_list_and_extract_first(&mut self.x, attr, value, session)
                }
                expanded_name!("", "y") => {
22
                    parse_list_and_extract_first(&mut self.y, attr, value, session)
                }
                expanded_name!("", "dx") => {
3
                    parse_list_and_extract_first(&mut self.dx, attr, value, session)
                }
                expanded_name!("", "dy") => {
15
                    parse_list_and_extract_first(&mut self.dy, attr, value, session)
                }
                _ => (),
            }
124
        }
85
    }
}
impl From<FontStyle> for pango::Style {
1025
    fn from(s: FontStyle) -> pango::Style {
1025
        match s {
1014
            FontStyle::Normal => pango::Style::Normal,
11
            FontStyle::Italic => pango::Style::Italic,
            FontStyle::Oblique => pango::Style::Oblique,
        }
1025
    }
}
impl From<FontVariant> for pango::Variant {
1024
    fn from(v: FontVariant) -> pango::Variant {
1024
        match v {
1023
            FontVariant::Normal => pango::Variant::Normal,
1
            FontVariant::SmallCaps => pango::Variant::SmallCaps,
        }
1024
    }
}
impl From<FontStretch> for pango::Stretch {
1023
    fn from(s: FontStretch) -> pango::Stretch {
1023
        match s {
1023
            FontStretch::Normal => pango::Stretch::Normal,
            FontStretch::Wider => pango::Stretch::Expanded, // not quite correct
            FontStretch::Narrower => pango::Stretch::Condensed, // not quite correct
            FontStretch::UltraCondensed => pango::Stretch::UltraCondensed,
            FontStretch::ExtraCondensed => pango::Stretch::ExtraCondensed,
            FontStretch::Condensed => pango::Stretch::Condensed,
            FontStretch::SemiCondensed => pango::Stretch::SemiCondensed,
            FontStretch::SemiExpanded => pango::Stretch::SemiExpanded,
            FontStretch::Expanded => pango::Stretch::Expanded,
            FontStretch::ExtraExpanded => pango::Stretch::ExtraExpanded,
            FontStretch::UltraExpanded => pango::Stretch::UltraExpanded,
        }
1023
    }
}
impl From<FontWeight> for pango::Weight {
1024
    fn from(w: FontWeight) -> pango::Weight {
1024
        pango::Weight::__Unknown(w.numeric_weight().into())
1024
    }
}
impl From<Direction> for pango::Direction {
7
    fn from(d: Direction) -> pango::Direction {
7
        match d {
            Direction::Ltr => pango::Direction::Ltr,
7
            Direction::Rtl => pango::Direction::Rtl,
        }
7
    }
}
impl From<WritingMode> for pango::Direction {
1020
    fn from(m: WritingMode) -> pango::Direction {
        use WritingMode::*;
1020
        match m {
1020
            HorizontalTb | VerticalRl | VerticalLr | LrTb | Lr | Tb | TbRl => pango::Direction::Ltr,
            RlTb | Rl => pango::Direction::Rtl,
        }
1020
    }
}
impl From<WritingMode> for pango::Gravity {
1027
    fn from(m: WritingMode) -> pango::Gravity {
        use WritingMode::*;
1027
        match m {
1027
            HorizontalTb | LrTb | Lr | RlTb | Rl => pango::Gravity::South,
            VerticalRl | Tb | TbRl => pango::Gravity::East,
            VerticalLr => pango::Gravity::West,
        }
1027
    }
}
/// Constants with Unicode's directional formatting characters
///
/// <https://unicode.org/reports/tr9/#Directional_Formatting_Characters>
mod directional_formatting_characters {
    /// Left-to-Right Embedding
    ///
    /// Treat the following text as embedded left-to-right.
    pub const LRE: char = '\u{202a}';
    /// Right-to-Left Embedding
    ///
    /// Treat the following text as embedded right-to-left.
    pub const RLE: char = '\u{202b}';
    /// Left-to-Right Override
    ///
    /// Force following characters to be treated as strong left-to-right characters.
    pub const LRO: char = '\u{202d}';
    /// Right-to-Left Override
    ///
    /// Force following characters to be treated as strong right-to-left characters.
    pub const RLO: char = '\u{202e}';
    /// Pop Directional Formatting
    ///
    /// End the scope of the last LRE, RLE, RLO, or LRO.
    pub const PDF: char = '\u{202c}';
    /// Left-to-Right Isolate
    ///
    /// Treat the following text as isolated and left-to-right.
    pub const LRI: char = '\u{2066}';
    /// Right-to-Left Isolate
    ///
    /// Treat the following text as isolated and right-to-left.
    pub const RLI: char = '\u{2067}';
    /// First Strong Isolate
    ///
    /// Treat the following text as isolated and in the direction of its first strong
    /// directional character that is not inside a nested isolate.
    pub const FSI: char = '\u{2068}';
    /// Pop Directional Isolate
    ///
    /// End the scope of the last LRI, RLI, or FSI.
    pub const PDI: char = '\u{2069}';
}
/// Unicode control characters to be inserted when `unicode-bidi` is specified.
///
/// The `unicode-bidi` property is used to change the embedding of a text span within
/// another.  This struct contains slices with the control characters that must be
/// inserted into the text stream at the span's limits so that the bidi/shaping engine
/// will know what to do.
struct BidiControl {
    start: &'static [char],
    end: &'static [char],
}
impl BidiControl {
    /// Creates a `BidiControl` from the properties that determine it.
    ///
    /// See the table titled "Bidi control codes injected..." in
    /// <https://www.w3.org/TR/css-writing-modes-3/#unicode-bidi>
    #[rustfmt::skip]
1028
    fn from_unicode_bidi_and_direction(unicode_bidi: UnicodeBidi, direction: Direction) -> BidiControl {
        use UnicodeBidi::*;
        use Direction::*;
        use directional_formatting_characters::*;
2056
        let (start, end) = match (unicode_bidi, direction) {
1027
            (Normal,          _)   => (&[][..],         &[][..]),
            (Embed,           Ltr) => (&[LRE][..],      &[PDF][..]),
            (Embed,           Rtl) => (&[RLE][..],      &[PDF][..]),
            (Isolate,         Ltr) => (&[LRI][..],      &[PDI][..]),
            (Isolate,         Rtl) => (&[RLI][..],      &[PDI][..]),
            (BidiOverride,    Ltr) => (&[LRO][..],      &[PDF][..]),
1
            (BidiOverride,    Rtl) => (&[RLO][..],      &[PDF][..]),
            (IsolateOverride, Ltr) => (&[FSI, LRO][..], &[PDF, PDI][..]),
            (IsolateOverride, Rtl) => (&[FSI, RLO][..], &[PDF, PDI][..]),
            (Plaintext,       Ltr) => (&[FSI][..],      &[PDI][..]),
            (Plaintext,       Rtl) => (&[FSI][..],      &[PDI][..]),
        };
1028
        BidiControl { start, end }
1028
    }
}
/// Prepends and appends Unicode directional formatting characters.
1028
fn wrap_with_direction_control_chars(s: &str, bidi_control: &BidiControl) -> String {
    let mut res =
1028
        String::with_capacity(s.len() + bidi_control.start.len() + bidi_control.end.len());
1029
    for &ch in bidi_control.start {
1
        res.push(ch);
    }
1027
    res.push_str(s);
1028
    for &ch in bidi_control.end {
1
        res.push(ch);
    }
1026
    res
1026
}
/// Returns `None` if the layout would be invalid due to, for example, out-of-bounds font sizes.
1026
fn create_pango_layout(
    layout_context: &LayoutContext,
    props: &FontProperties,
    text: &str,
) -> Option<pango::Layout> {
1026
    let pango_context =
1026
        create_pango_context(&layout_context.font_options, &layout_context.transform);
1026
    if let XmlLang(Some(ref lang)) = props.xml_lang {
13
        pango_context.set_language(Some(&pango::Language::from_string(lang.as_str())));
    }
1013
    pango_context.set_base_gravity(pango::Gravity::from(layout_context.writing_mode));
1027
    match (props.unicode_bidi, props.direction) {
        (UnicodeBidi::BidiOverride, _) | (UnicodeBidi::Embed, _) => {
1
            pango_context.set_base_dir(pango::Direction::from(props.direction));
        }
1026
        (_, direction) if direction != Direction::Ltr => {
6
            pango_context.set_base_dir(pango::Direction::from(direction));
        }
        (_, _) => {
1020
            pango_context.set_base_dir(pango::Direction::from(layout_context.writing_mode));
        }
    }
1027
    let layout = pango::Layout::new(&pango_context);
1028
    let font_size = PangoUnits::from_pixels(props.font_size);
1028
    let letter_spacing = PangoUnits::from_pixels(props.letter_spacing);
1028
    if font_size.is_none() {
        rsvg_log!(
1
            &layout_context.session,
            "font-size {} is out of bounds; ignoring span",
            props.font_size
        );
    }
1028
    if letter_spacing.is_none() {
        rsvg_log!(
1
            &layout_context.session,
            "letter-spacing {} is out of bounds; ignoring span",
            props.letter_spacing
        );
    }
1028
    if let (Some(font_size), Some(letter_spacing)) = (font_size, letter_spacing) {
1026
        let attr_list = pango::AttrList::new();
1028
        add_pango_attributes(&attr_list, props, 0, text.len(), font_size, letter_spacing);
1025
        layout.set_attributes(Some(&attr_list));
1027
        layout.set_text(text);
1026
        layout.set_auto_dir(false);
1026
        Some(layout)
1026
    } else {
2
        None
    }
1026
}
/// Adds Pango attributes, suitable for a span of text, to an `AttrList`.
1025
fn add_pango_attributes(
    attr_list: &pango::AttrList,
    props: &FontProperties,
    start_index: usize,
    end_index: usize,
    font_size: PangoUnits,
    letter_spacing: PangoUnits,
) {
1025
    let start_index = u32::try_from(start_index).expect("Pango attribute index must fit in u32");
1025
    let end_index = u32::try_from(end_index).expect("Pango attribute index must fit in u32");
1025
    assert!(start_index <= end_index);
1069
    let mut attributes = Vec::new();
1025
    let mut font_desc = pango::FontDescription::new();
1047
    font_desc.set_family(props.font_family.as_str());
1025
    font_desc.set_style(pango::Style::from(props.font_style));
1024
    font_desc.set_variant(pango::Variant::from(props.font_variant));
1024
    font_desc.set_weight(pango::Weight::from(props.font_weight));
1023
    font_desc.set_stretch(pango::Stretch::from(props.font_stretch));
1023
    font_desc.set_size(font_size.0);
1022
    attributes.push(pango::AttrFontDesc::new(&font_desc).upcast());
1025
    attributes.push(pango::AttrInt::new_letter_spacing(letter_spacing.0).upcast());
1025
    if props.text_decoration.overline {
        attributes.push(pango::AttrInt::new_overline(pango::Overline::Single).upcast());
    }
1025
    if props.text_decoration.underline {
2
        attributes.push(pango::AttrInt::new_underline(pango::Underline::Single).upcast());
    }
1025
    if props.text_decoration.strike {
1
        attributes.push(pango::AttrInt::new_strikethrough(true).upcast());
    }
    // Set the range in each attribute
3076
    for attr in &mut attributes {
2052
        attr.set_start_index(start_index);
2052
        attr.set_end_index(end_index);
    }
    // Add the attributes to the attr_list
3075
    for attr in attributes {
2054
        attr_list.insert(attr);
1024
    }
1025
}
#[cfg(test)]
mod tests {
    use super::*;
    #[test]
2
    fn chars_default() {
1
        let c = Chars::default();
1
        assert!(c.is_empty());
1
        assert!(c.space_normalized.borrow().is_none());
2
    }
    #[test]
2
    fn chars_new() {
1
        let example = "Test 123";
1
        let c = Chars::new(example);
2
        assert_eq!(c.get_string(), example);
1
        assert!(c.space_normalized.borrow().is_none());
2
    }
    // This is called _horizontal because the property value in "CSS Writing Modes 3"
    // is `horizontal-tb`.  Eventually we will support that and this will make more sense.
    #[test]
2
    fn adjusted_advance_horizontal_ltr() {
        use Direction::*;
        use TextAnchor::*;
1
        assert_eq!(
1
            text_anchor_offset(
1
                Start,
1
                Ltr,
1
                WritingMode::Lr,
1
                Rect::from_size(1.0, 2.0).translate((5.0, 6.0))
            ),
            (-5.0, 0.0)
        );
1
        assert_eq!(
1
            text_anchor_offset(
1
                Middle,
1
                Ltr,
1
                WritingMode::Lr,
1
                Rect::from_size(1.0, 2.0).translate((5.0, 6.0))
            ),
            (-5.5, 0.0)
        );
1
        assert_eq!(
1
            text_anchor_offset(
1
                End,
1
                Ltr,
1
                WritingMode::Lr,
1
                Rect::from_size(1.0, 2.0).translate((5.0, 6.0))
            ),
            (-6.0, 0.0)
        );
2
    }
    #[test]
2
    fn adjusted_advance_horizontal_rtl() {
        use Direction::*;
        use TextAnchor::*;
1
        assert_eq!(
1
            text_anchor_offset(
1
                Start,
1
                Rtl,
1
                WritingMode::Rl,
1
                Rect::from_size(1.0, 2.0).translate((5.0, 6.0))
            ),
            (-6.0, 0.0)
        );
1
        assert_eq!(
1
            text_anchor_offset(
1
                Middle,
1
                Rtl,
1
                WritingMode::Rl,
1
                Rect::from_size(1.0, 2.0).translate((5.0, 6.0))
            ),
            (-5.5, 0.0)
        );
1
        assert_eq!(
1
            text_anchor_offset(
1
                TextAnchor::End,
1
                Direction::Rtl,
1
                WritingMode::Rl,
1
                Rect::from_size(1.0, 2.0).translate((5.0, 6.0))
            ),
            (-5.0, 0.0)
        );
2
    }
    // This is called _vertical because "CSS Writing Modes 3" has both `vertical-rl` (East
    // Asia), and `vertical-lr` (Manchu, Mongolian), but librsvg does not support block
    // flow direction properly yet.  Eventually we will support that and this will make
    // more sense.
    #[test]
2
    fn adjusted_advance_vertical() {
        use Direction::*;
        use TextAnchor::*;
1
        assert_eq!(
1
            text_anchor_offset(Start, Ltr, WritingMode::Tb, Rect::from_size(2.0, 4.0)),
            (0.0, 0.0)
        );
1
        assert_eq!(
1
            text_anchor_offset(Middle, Ltr, WritingMode::Tb, Rect::from_size(2.0, 4.0)),
            (0.0, -2.0)
        );
1
        assert_eq!(
1
            text_anchor_offset(End, Ltr, WritingMode::Tb, Rect::from_size(2.0, 4.0)),
            (0.0, -4.0)
        );
2
    }
    #[test]
2
    fn pango_units_works() {
1
        assert_eq!(PangoUnits::from_pixels(10.0).unwrap().0, pango::SCALE * 10);
2
    }
    #[test]
2
    fn pango_units_detects_overflow() {
1
        assert!(PangoUnits::from_pixels(1e7).is_none());
2
    }
}