TL/DR: How to display each glyph from a font file using some parsing method that shows all of the characters.
I am trying to build a glyph viewer for one of several fonts I want to show on a page.
Currently I have this codesandbox (this is cramped so there is a full page version here)
Here is my JS:
import opentype from "opentype.js";
const htmlElem = document.querySelector("html");
const fontPath = "/src/resources";
const fontMap = (fontName) => {
const url = `${fontPath}/${fontName}`;
const buffer = fetch(url).then((res) => res.arrayBuffer());
buffer.then((data) => {
const wrapper = htmlElem.querySelector(".characters ul");
const font = opentype.parse(data);
const glyphs = font.glyphs.glyphs;
for (const [key, value] of Object.entries(glyphs)) {
if (value.name !== null) {
const template = `<li>${value.name}</li>`;
wrapper.insertAdjacentHTML("beforeend", template);
console.log(value);
}
}
});
};
fontMap("Calluna-Regular.otf");
When I log each glyph I get quite a lot of data about the element, however I want to know how to access it on the page using the correct property.
Currently trying to access item.name
which works fine for ‘A’, ‘B’, ‘C’ etc, but numbers are named in full ‘one’, ‘two’, etc. And punctuation marks, I guess name makes sense.
I tried adding a prefix to output as html entities, like <li>&${value.name};</li>
but of course that will prefix the standard ‘A’ with an ‘&’.
Is there a universal way to parse each character and use some encoding to display each item on the page? Hex maybe but not transform the simple characters. The other thing I wondered is whether certain glyphs have particular properties that distinguish them. I think the unicode property is the only one I can access that will help me.
Also in this font the letter ‘A’ has unicode: 64
in the mapping but the universal unicode character for ‘A’ is U+0041 (or is that already converted using some system), I don’t know if this is some peculiarity of the font file.
Any help greatly appreciated.