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
use std::collections::BTreeSet;
use crate::error::{Error, PackingError};
use crate::graph::{Graph, ObjectId, ObjectStore, OffsetLen};
use crate::validate::Validate;
use font_types::Scalar;
/// A type that that can be written out as part of a font file.
///
/// This both handles writing big-endian bytes as well as describing the
/// relationship between tables and their subtables.
pub trait FontWrite {
/// Write our data and information about offsets into this [TableWriter].
fn write_into(&self, writer: &mut TableWriter);
fn name(&self) -> &'static str {
"Unknown"
}
}
/// An object that manages a collection of serialized tables.
///
/// This handles deduplicating objects and tracking offsets.
#[derive(Debug)]
pub struct TableWriter {
/// Finished tables, associated with an ObjectId; duplicate tables share an id.
tables: ObjectStore,
/// Tables currently being written.
///
/// Tables are processed as they are encountered (as subtables)
stack: Vec<TableData>,
/// An adjustment factor subtracted from written offsets.
///
/// This is '0', unless a particular offset is expected to be relative some
/// position *other* than the start of the table.
///
/// This should only ever be non-zero in the body of a closure passed to
/// [adjust_offsets](Self::adjust_offsets)
offset_adjustment: u32,
}
/// Attempt to serialize a table.
///
/// Returns an error if the table is malformed or cannot otherwise be serialized,
/// otherwise it will return the bytes encoding the table.
pub fn dump_table<T: FontWrite + Validate>(table: &T) -> Result<Vec<u8>, Error> {
table.validate().map_err(Error::ValidationFailed)?;
let mut graph = TableWriter::make_graph(table);
if !graph.pack_objects() {
return Err(Error::PackingFailed(PackingError {
graph: graph.into(),
}));
}
Ok(graph.serialize())
}
impl TableWriter {
/// A convenience method for generating a graph with the provided root object.
fn make_graph(root: &impl FontWrite) -> Graph {
let mut writer = TableWriter::default();
let root_id = writer.add_table(root);
Graph::from_obj_store(writer.tables, root_id)
}
fn add_table(&mut self, table: &dyn FontWrite) -> ObjectId {
self.stack.push(TableData::default());
table.write_into(self);
let mut table_data = self.stack.pop().unwrap();
table_data.name = table.name();
self.tables.add(table_data)
}
/// Call the provided closure, adjusting any written offsets by `adjustment`.
pub(crate) fn adjust_offsets(&mut self, adjustment: u32, f: impl FnOnce(&mut TableWriter)) {
self.offset_adjustment = adjustment;
f(self);
self.offset_adjustment = 0;
}
/// Write raw bytes into this table.
///
/// The caller is responsible for ensuring bytes are in big-endian order.
#[inline]
pub fn write_slice(&mut self, bytes: &[u8]) {
self.stack.last_mut().unwrap().write_bytes(bytes)
}
/// Create an offset to another table.
///
/// The `width` argument is the size in bytes of the offset, e.g. 2 for
/// an `Offset16`, and 4 for an `Offset32`.
///
/// The provided table will be serialized immediately, and the position
/// of the offset within the current table will be recorded. Offsets
/// are resolved when the root table object is serialized, at which point
/// we overwrite each recorded offset position with the final offset of the
/// appropriate table.
pub fn write_offset(&mut self, obj: &dyn FontWrite, width: usize) {
let obj_id = self.add_table(obj);
let data = self.stack.last_mut().unwrap();
data.add_offset(obj_id, width, self.offset_adjustment);
}
/// Add a padding byte of necessary to ensure the table length is an even number.
///
/// This is necessary for things like the glyph table, which require offsets
/// to be aligned on 2-byte boundaries.
pub fn pad_to_2byte_aligned(&mut self) {
if self.stack.last().unwrap().bytes.len() % 2 != 0 {
self.write_slice(&[0]);
}
}
/// used when writing top-level font objects, which are done more manually.
pub(crate) fn into_data(mut self) -> Vec<u8> {
assert_eq!(self.stack.len(), 1);
let result = self.stack.pop().unwrap();
assert!(result.offsets.is_empty());
result.bytes
}
}
impl Default for TableWriter {
fn default() -> Self {
TableWriter {
tables: ObjectStore::default(),
stack: vec![TableData::default()],
offset_adjustment: 0,
}
}
}
/// The encoded data for a given table, along with info on included offsets
#[derive(Debug, Default, Clone)] // DO NOT DERIVE MORE TRAITS! we want to ignore name field
pub(crate) struct TableData {
pub(crate) name: &'static str,
pub(crate) bytes: Vec<u8>,
pub(crate) offsets: Vec<OffsetRecord>,
}
impl std::hash::Hash for TableData {
fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
self.bytes.hash(state);
self.offsets.hash(state);
}
}
impl PartialEq for TableData {
fn eq(&self, other: &Self) -> bool {
self.bytes == other.bytes && self.offsets == other.offsets
}
}
impl Eq for TableData {}
/// The position and type of an offset, along with the id of the pointed-to entity
#[derive(Debug, Clone, Hash, PartialEq, Eq)]
pub(crate) struct OffsetRecord {
/// the position of the offset within the parent table
pub(crate) pos: u32,
/// the offset length in bytes
pub(crate) len: OffsetLen,
/// The object pointed to by the offset
pub(crate) object: ObjectId,
/// a value subtracted from the resolved offset before writing.
///
/// In general we assume that offsets are relative to the start of the parent
/// table, but in some cases this is not true (for instance, offsets to
/// strings in the name table are relative to the end of the table.)
pub(crate) adjustment: u32,
}
impl TableData {
/// the 'adjustment' param is used to modify the written position.
fn add_offset(&mut self, object: ObjectId, width: usize, adjustment: u32) {
self.offsets.push(OffsetRecord {
pos: self.bytes.len() as u32,
len: match width {
2 => OffsetLen::Offset16,
3 => OffsetLen::Offset24,
_ => OffsetLen::Offset32,
},
object,
adjustment,
});
let null_bytes = &[0u8, 0, 0, 0].get(..width.min(4)).unwrap();
self.write_bytes(null_bytes);
}
#[allow(dead_code)] // this will be used when we do promotion/splitting
pub(crate) fn write<T: Scalar>(&mut self, value: T) {
self.write_bytes(value.to_raw().as_ref())
}
fn write_bytes(&mut self, bytes: &[u8]) {
self.bytes.extend_from_slice(bytes)
}
#[cfg(test)]
pub fn make_mock(size: usize) -> Self {
TableData {
name: "",
bytes: vec![0xca; size], // has no special meaning
offsets: Vec::new(),
}
}
#[cfg(test)]
pub fn add_mock_offset(&mut self, object: ObjectId, len: OffsetLen) {
let pos = self.offsets.iter().map(|off| off.len as u8 as u32).sum();
self.offsets.push(OffsetRecord {
pos,
len,
object,
adjustment: 0,
});
}
}
macro_rules! write_be_bytes {
($ty:ty) => {
impl FontWrite for $ty {
#[inline]
fn write_into(&self, writer: &mut TableWriter) {
writer.write_slice(&self.to_be_bytes())
}
}
};
}
//NOTE: not implemented for offsets! it would be too easy to accidentally write them.
write_be_bytes!(u8);
write_be_bytes!(i8);
write_be_bytes!(u16);
write_be_bytes!(i16);
write_be_bytes!(u32);
write_be_bytes!(i32);
write_be_bytes!(i64);
write_be_bytes!(types::Uint24);
write_be_bytes!(types::F2Dot14);
write_be_bytes!(types::Fixed);
write_be_bytes!(types::FWord);
write_be_bytes!(types::UfWord);
write_be_bytes!(types::LongDateTime);
write_be_bytes!(types::Tag);
write_be_bytes!(types::Version16Dot16);
write_be_bytes!(types::MajorMinor);
write_be_bytes!(types::GlyphId);
write_be_bytes!(types::NameId);
impl<T: FontWrite> FontWrite for [T] {
fn write_into(&self, writer: &mut TableWriter) {
self.iter().for_each(|item| item.write_into(writer))
}
}
impl<T: FontWrite> FontWrite for BTreeSet<T> {
fn write_into(&self, writer: &mut TableWriter) {
self.iter().for_each(|item| item.write_into(writer))
}
}
impl<T: FontWrite> FontWrite for Vec<T> {
fn write_into(&self, writer: &mut TableWriter) {
self.iter().for_each(|item| item.write_into(writer))
}
}
impl<T: FontWrite> FontWrite for Option<T> {
fn write_into(&self, writer: &mut TableWriter) {
match self {
Some(obj) => obj.write_into(writer),
None => (),
}
}
}