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
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
use kurbo::{BezPath, Rect, Shape};
use read_fonts::tables::glyf::{CurvePoint, SimpleGlyphFlags};
use crate::{
from_obj::{FromObjRef, FromTableRef},
FontWrite,
};
#[derive(Clone, Debug)]
pub struct Contour(Vec<CurvePoint>);
#[derive(Clone, Copy, Debug, Default, PartialEq, Eq, Hash)]
struct Bbox {
x_min: i16,
y_min: i16,
x_max: i16,
y_max: i16,
}
pub struct SimpleGlyph {
bbox: Bbox,
contours: Vec<Contour>,
_instructions: Vec<u8>,
}
#[derive(Clone, Debug)]
pub enum BadKurbo {
HasCubic,
TooSmall,
MissingMove,
}
pub trait OtPoint {
fn get(self) -> (i16, i16);
}
impl OtPoint for kurbo::Point {
fn get(self) -> (i16, i16) {
(ot_round(self.x as f32), ot_round(self.y as f32))
}
}
impl OtPoint for (i16, i16) {
fn get(self) -> (i16, i16) {
self
}
}
fn ot_round(val: f32) -> i16 {
(val + 0.5).floor() as i16
}
impl Contour {
pub fn new(pt: impl OtPoint) -> Self {
let (x, y) = pt.get();
Self(vec![CurvePoint::on_curve(x, y)])
}
pub fn len(&self) -> usize {
self.0.len()
}
pub fn is_empty(&self) -> bool {
self.0.is_empty()
}
pub fn line_to(&mut self, pt: impl OtPoint) {
let (x, y) = pt.get();
self.0.push(CurvePoint::on_curve(x, y));
}
pub fn quad_to(&mut self, p0: impl OtPoint, p1: impl OtPoint) {
let (x0, y0) = p0.get();
let (x1, y1) = p1.get();
self.0.push(CurvePoint::off_curve(x0, y0));
self.0.push(CurvePoint::on_curve(x1, y1));
}
}
impl SimpleGlyph {
pub fn from_kurbo(path: &BezPath) -> Result<Self, BadKurbo> {
let mut contours = Vec::new();
let mut current = None;
for el in path.elements() {
match el {
kurbo::PathEl::MoveTo(pt) => {
if let Some(prev) = current.take() {
contours.push(prev);
}
current = Some(Contour::new(*pt));
}
kurbo::PathEl::LineTo(pt) => {
current.as_mut().ok_or(BadKurbo::MissingMove)?.line_to(*pt)
}
kurbo::PathEl::QuadTo(p0, p1) => current
.as_mut()
.ok_or(BadKurbo::MissingMove)?
.quad_to(*p0, *p1),
kurbo::PathEl::CurveTo(_, _, _) => return Err(BadKurbo::HasCubic),
kurbo::PathEl::ClosePath => (),
}
}
contours.extend(current);
for contour in &mut contours {
if contour.len() < 2 {
return Err(BadKurbo::TooSmall);
}
if contour.0.first() == contour.0.last() {
contour.0.pop();
}
}
let bbox = path.bounding_box();
Ok(SimpleGlyph {
bbox: bbox.into(),
contours,
_instructions: Default::default(),
})
}
fn compute_point_deltas(
&self,
) -> impl Iterator<Item = (SimpleGlyphFlags, CoordDelta, CoordDelta)> + '_ {
fn flag_and_delta(
value: i16,
short_flag: SimpleGlyphFlags,
same_or_pos: SimpleGlyphFlags,
) -> (SimpleGlyphFlags, CoordDelta) {
const SHORT_MAX: i16 = u8::MAX as i16;
const SHORT_MIN: i16 = -SHORT_MAX;
match value {
0 => (same_or_pos, CoordDelta::Skip),
SHORT_MIN..=-1 => (short_flag, CoordDelta::Short(value.unsigned_abs() as u8)),
1..=SHORT_MAX => (short_flag | same_or_pos, CoordDelta::Short(value as _)),
_other => (SimpleGlyphFlags::empty(), CoordDelta::Long(value)),
}
}
let (mut last_x, mut last_y) = (0, 0);
let mut iter = self.contours.iter().flatten();
std::iter::from_fn(move || {
let point = iter.next()?;
let mut flag = SimpleGlyphFlags::empty();
let d_x = point.x - last_x;
let d_y = point.y - last_y;
last_x = point.x;
last_y = point.y;
if point.on_curve {
flag |= SimpleGlyphFlags::ON_CURVE_POINT;
}
let (x_flag, x_data) = flag_and_delta(
d_x,
SimpleGlyphFlags::X_SHORT_VECTOR,
SimpleGlyphFlags::X_IS_SAME_OR_POSITIVE_X_SHORT_VECTOR,
);
let (y_flag, y_data) = flag_and_delta(
d_y,
SimpleGlyphFlags::Y_SHORT_VECTOR,
SimpleGlyphFlags::Y_IS_SAME_OR_POSITIVE_Y_SHORT_VECTOR,
);
flag |= x_flag | y_flag;
Some((flag, x_data, y_data))
})
}
}
impl<'a> FromObjRef<read::tables::glyf::SimpleGlyph<'a>> for SimpleGlyph {
fn from_obj_ref(from: &read::tables::glyf::SimpleGlyph, _data: read::FontData) -> Self {
let bbox = Bbox {
x_min: from.x_min(),
y_min: from.y_min(),
x_max: from.x_max(),
y_max: from.y_max(),
};
let mut points = from.points();
let mut last_end = 0;
let mut contours = vec![];
for end_pt in from.end_pts_of_contours() {
let end = end_pt.get() as usize + 1;
let count = end - last_end;
last_end = end;
contours.push(Contour(points.by_ref().take(count).collect()));
}
Self {
bbox,
contours,
_instructions: from.instructions().to_owned(),
}
}
}
impl<'a> FromTableRef<read::tables::glyf::SimpleGlyph<'a>> for SimpleGlyph {}
#[derive(Clone, Copy, Debug)]
enum CoordDelta {
Skip,
Short(u8),
Long(i16),
}
impl FontWrite for CoordDelta {
fn write_into(&self, writer: &mut crate::TableWriter) {
match self {
CoordDelta::Skip => (),
CoordDelta::Short(val) => val.write_into(writer),
CoordDelta::Long(val) => val.write_into(writer),
}
}
}
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
struct RepeatableFlag {
flag: SimpleGlyphFlags,
repeat: u8,
}
impl FontWrite for RepeatableFlag {
fn write_into(&self, writer: &mut crate::TableWriter) {
debug_assert_eq!(
self.flag.contains(SimpleGlyphFlags::REPEAT_FLAG),
self.repeat > 0
);
self.flag.bits().write_into(writer);
if self.flag.contains(SimpleGlyphFlags::REPEAT_FLAG) {
self.repeat.write_into(writer);
}
}
}
impl RepeatableFlag {
fn iter_from_flags(
flags: impl IntoIterator<Item = SimpleGlyphFlags>,
) -> impl Iterator<Item = RepeatableFlag> {
let mut iter = flags.into_iter();
let mut prev = None;
let mut decompose_single_repeat = None;
std::iter::from_fn(move || loop {
if let Some(repeat) = decompose_single_repeat.take() {
return Some(repeat);
}
match (iter.next(), prev.take()) {
(None, Some(RepeatableFlag { flag, repeat })) if repeat == 1 => {
let flag = flag & !SimpleGlyphFlags::REPEAT_FLAG;
decompose_single_repeat = Some(RepeatableFlag { flag, repeat: 0 });
return decompose_single_repeat;
}
(None, prev) => return prev,
(Some(flag), None) => prev = Some(RepeatableFlag { flag, repeat: 0 }),
(Some(flag), Some(mut last)) => {
if (last.flag & !SimpleGlyphFlags::REPEAT_FLAG) == flag && last.repeat < u8::MAX
{
last.repeat += 1;
last.flag |= SimpleGlyphFlags::REPEAT_FLAG;
prev = Some(last);
} else {
if last.repeat == 1 {
last.flag &= !SimpleGlyphFlags::REPEAT_FLAG;
last.repeat = 0;
decompose_single_repeat = Some(last);
}
prev = Some(RepeatableFlag { flag, repeat: 0 });
return Some(last);
}
}
}
})
}
}
impl<'a> IntoIterator for &'a Contour {
type Item = &'a CurvePoint;
type IntoIter = std::slice::Iter<'a, CurvePoint>;
fn into_iter(self) -> Self::IntoIter {
self.0.iter()
}
}
impl FontWrite for SimpleGlyph {
fn write_into(&self, writer: &mut crate::TableWriter) {
assert!(self.contours.len() < i16::MAX as usize);
assert!(self._instructions.len() < u16::MAX as usize);
let n_contours = self.contours.len() as i16;
n_contours.write_into(writer);
self.bbox.write_into(writer);
let mut cur = 0;
for contour in &self.contours {
cur += contour.len();
(cur as u16 - 1).write_into(writer);
}
(self._instructions.len() as u16).write_into(writer);
self._instructions.write_into(writer);
let deltas = self.compute_point_deltas().collect::<Vec<_>>();
RepeatableFlag::iter_from_flags(deltas.iter().map(|(flag, _, _)| *flag))
.for_each(|flag| flag.write_into(writer));
deltas.iter().for_each(|(_, x, _)| x.write_into(writer));
deltas.iter().for_each(|(_, _, y)| y.write_into(writer));
}
}
impl crate::validate::Validate for SimpleGlyph {
fn validate_impl(&self, _ctx: &mut crate::codegen_prelude::ValidationCtx) {
}
}
impl From<Rect> for Bbox {
fn from(value: Rect) -> Self {
Bbox {
x_min: ot_round(value.min_x() as f32),
y_min: ot_round(value.min_y() as f32),
x_max: ot_round(value.max_x() as f32),
y_max: ot_round(value.max_y() as f32),
}
}
}
impl FontWrite for Bbox {
fn write_into(&self, writer: &mut crate::TableWriter) {
let Bbox {
x_min,
y_min,
x_max,
y_max,
} = *self;
[x_min, y_min, x_max, y_max].write_into(writer)
}
}
#[cfg(test)]
mod tests {
use read::{
tables::glyf as read_glyf, types::GlyphId, FontData, FontRead, FontRef, TableProvider,
};
use super::*;
use crate::read::test_data;
#[test]
#[should_panic(expected = "HasCubic")]
fn bad_path_input() {
let mut path = BezPath::new();
path.move_to((0., 0.));
path.curve_to((10., 10.), (20., 20.), (30., 30.));
path.line_to((50., 50.));
path.line_to((10., 10.));
let _glyph = SimpleGlyph::from_kurbo(&path).unwrap();
}
fn simple_glyph_to_bezpath(glyph: &read::tables::glyf::SimpleGlyph) -> BezPath {
use types::{F26Dot6, Pen};
#[derive(Default)]
struct Path(BezPath);
impl Pen for Path {
fn move_to(&mut self, x: f32, y: f32) {
self.0.move_to((x as f64, y as f64));
}
fn line_to(&mut self, x: f32, y: f32) {
self.0.line_to((x as f64, y as f64));
}
fn quad_to(&mut self, x0: f32, y0: f32, x1: f32, y1: f32) {
self.0
.quad_to((x0 as f64, y0 as f64), (x1 as f64, y1 as f64));
}
fn curve_to(&mut self, x0: f32, y0: f32, x1: f32, y1: f32, x2: f32, y2: f32) {
self.0.curve_to(
(x0 as f64, y0 as f64),
(x1 as f64, y1 as f64),
(x2 as f64, y2 as f64),
);
}
fn close(&mut self) {
self.0.close_path();
}
}
let contours = glyph
.end_pts_of_contours()
.iter()
.map(|x| x.get())
.collect::<Vec<_>>();
let num_points = glyph.num_points();
let mut points = vec![Default::default(); num_points];
let mut flags = vec![Default::default(); num_points];
glyph.read_points_fast(&mut points, &mut flags).unwrap();
let points = points
.into_iter()
.map(|point| point.map(F26Dot6::from_i32))
.collect::<Vec<_>>();
let mut path = Path::default();
read::tables::glyf::to_path(&points, &flags, &contours, &mut path).unwrap();
path.0
}
fn pad_for_loca_format(loca: &read::tables::loca::Loca, mut bytes: Vec<u8>) -> Vec<u8> {
if matches!(loca, read::tables::loca::Loca::Short(_)) && bytes.len() & 1 != 0 {
bytes.push(0);
}
bytes
}
#[test]
fn read_write_simple() {
let font = FontRef::new(test_data::test_fonts::SIMPLE_GLYF).unwrap();
let loca = font.loca(None).unwrap();
let glyf = font.glyf().unwrap();
let read_glyf::Glyph::Simple(orig) = loca.get_glyf(GlyphId::new(0), &glyf).unwrap().unwrap() else { panic!("not a simple glyph") };
let orig_bytes = orig.offset_data();
let ours = SimpleGlyph::from_table_ref(&orig);
let bytes = pad_for_loca_format(&loca, crate::dump_table(&ours).unwrap());
let ours = read_glyf::SimpleGlyph::read(FontData::new(&bytes)).unwrap();
let our_points = ours.points().collect::<Vec<_>>();
let their_points = orig.points().collect::<Vec<_>>();
assert_eq!(our_points, their_points);
assert_eq!(orig_bytes.as_ref(), bytes);
assert_eq!(orig.glyph_data(), ours.glyph_data());
assert_eq!(orig_bytes.len(), bytes.len());
}
#[test]
fn round_trip_simple() {
let font = FontRef::new(test_data::test_fonts::SIMPLE_GLYF).unwrap();
let loca = font.loca(None).unwrap();
let glyf = font.glyf().unwrap();
let read_glyf::Glyph::Simple(orig) = loca.get_glyf(GlyphId::new(2), &glyf).unwrap().unwrap() else { panic!("not a simple glyph") };
let orig_bytes = orig.offset_data();
let bezpath = simple_glyph_to_bezpath(&orig);
let ours = SimpleGlyph::from_kurbo(&bezpath).unwrap();
let bytes = pad_for_loca_format(&loca, crate::dump_table(&ours).unwrap());
let ours = read_glyf::SimpleGlyph::read(FontData::new(&bytes)).unwrap();
let our_points = ours.points().collect::<Vec<_>>();
let their_points = orig.points().collect::<Vec<_>>();
assert_eq!(our_points, their_points);
assert_eq!(orig_bytes.as_ref(), bytes);
assert_eq!(orig.glyph_data(), ours.glyph_data());
assert_eq!(orig_bytes.len(), bytes.len());
}
#[test]
fn round_trip_multi_contour() {
let font = FontRef::new(test_data::test_fonts::VAZIRMATN_VAR).unwrap();
let loca = font.loca(None).unwrap();
let glyf = font.glyf().unwrap();
let read_glyf::Glyph::Simple(orig) = loca.get_glyf(GlyphId::new(1), &glyf).unwrap().unwrap() else { panic!("not a simple glyph") };
let orig_bytes = orig.offset_data();
let bezpath = simple_glyph_to_bezpath(&orig);
let ours = SimpleGlyph::from_kurbo(&bezpath).unwrap();
let bytes = pad_for_loca_format(&loca, crate::dump_table(&ours).unwrap());
let ours = read_glyf::SimpleGlyph::read(FontData::new(&bytes)).unwrap();
let our_points = ours.points().collect::<Vec<_>>();
let their_points = orig.points().collect::<Vec<_>>();
dbg!(
SimpleGlyphFlags::from_bits(1),
SimpleGlyphFlags::from_bits(9)
);
assert_eq!(our_points, their_points);
assert_eq!(orig.glyph_data(), ours.glyph_data());
assert_eq!(orig_bytes.len(), bytes.len());
assert_eq!(orig_bytes.as_ref(), bytes);
}
#[test]
fn very_simple_glyph() {
let mut path = BezPath::new();
path.move_to((20., -100.));
path.quad_to((1337., 1338.), (-50., -69.0));
path.quad_to((13., 255.), (-255., 256.));
path.line_to((20., -100.));
let glyph = SimpleGlyph::from_kurbo(&path).unwrap();
let bytes = crate::dump_table(&glyph).unwrap();
let read = read_fonts::tables::glyf::SimpleGlyph::read(FontData::new(&bytes)).unwrap();
assert_eq!(read.number_of_contours(), 1);
assert_eq!(read.num_points(), 5);
assert_eq!(read.end_pts_of_contours(), &[4]);
let points = read.points().collect::<Vec<_>>();
assert_eq!(points[0].x, 20);
assert_eq!(points[1].y, 1338);
assert!(!points[1].on_curve);
assert_eq!(points[4].x, -255);
assert_eq!(points[4].y, 256);
assert!(points[4].on_curve);
}
#[test]
fn compile_repeatable_flags() {
let mut path = BezPath::new();
path.move_to((20., -100.));
path.line_to((25., -90.));
path.line_to((50., -69.));
path.line_to((80., -20.));
let glyph = SimpleGlyph::from_kurbo(&path).unwrap();
let flags = glyph
.compute_point_deltas()
.map(|x| x.0)
.collect::<Vec<_>>();
let r_flags = RepeatableFlag::iter_from_flags(flags.iter().copied()).collect::<Vec<_>>();
assert_eq!(r_flags.len(), 2, "{r_flags:?}");
let bytes = crate::dump_table(&glyph).unwrap();
let read = read_glyf::SimpleGlyph::read(FontData::new(&bytes)).unwrap();
assert_eq!(read.number_of_contours(), 1);
assert_eq!(read.num_points(), 4);
assert_eq!(read.end_pts_of_contours(), &[3]);
let points = read.points().collect::<Vec<_>>();
assert_eq!(points[0].x, 20);
assert_eq!(points[0].y, -100);
assert_eq!(points[1].x, 25);
assert_eq!(points[1].y, -90);
assert_eq!(points[2].x, 50);
assert_eq!(points[2].y, -69);
assert_eq!(points[3].x, 80);
assert_eq!(points[3].y, -20);
}
#[test]
fn repeatable_flags_basic() {
let flags = [
SimpleGlyphFlags::ON_CURVE_POINT,
SimpleGlyphFlags::X_SHORT_VECTOR,
SimpleGlyphFlags::X_SHORT_VECTOR,
];
let repeatable = RepeatableFlag::iter_from_flags(flags).collect::<Vec<_>>();
let expected = flags
.into_iter()
.map(|flag| RepeatableFlag { flag, repeat: 0 })
.collect::<Vec<_>>();
assert_eq!(repeatable, expected);
}
#[test]
fn repeatable_flags_repeats() {
let some_dupes = std::iter::repeat(SimpleGlyphFlags::ON_CURVE_POINT).take(4);
let many_dupes = std::iter::repeat(SimpleGlyphFlags::Y_SHORT_VECTOR).take(257);
let repeatable =
RepeatableFlag::iter_from_flags(some_dupes.chain(many_dupes)).collect::<Vec<_>>();
assert_eq!(repeatable.len(), 3);
assert_eq!(
repeatable[0],
RepeatableFlag {
flag: SimpleGlyphFlags::ON_CURVE_POINT | SimpleGlyphFlags::REPEAT_FLAG,
repeat: 3
}
);
assert_eq!(
repeatable[1],
RepeatableFlag {
flag: SimpleGlyphFlags::Y_SHORT_VECTOR | SimpleGlyphFlags::REPEAT_FLAG,
repeat: u8::MAX,
}
);
assert_eq!(
repeatable[2],
RepeatableFlag {
flag: SimpleGlyphFlags::Y_SHORT_VECTOR,
repeat: 0,
}
)
}
}