我正在Linux中创建一个小(bash)脚本来转换单间距字体,并且我希望在提供的字体不是单间距字体时返回一个错误。
我一直在看fontconfig fc-query
命令,它有spacing
属性,但很多时候这个属性没有设置(或者我不知道如何检索它)。有没有更好的方法来检查字体是否是等宽的?
我目前支持的字体是TrueType(.ttf)和X11类型(.pcf.gz,.pfb)字体。
在我的脑海中:
# script.py
import sys
import fontforge
f = fontforge.open(sys.argv[1])
i = f['i']
m = f['m']
if i.width == m.width:
print('Monospace!')
使用sys模块,您可以传递命令行参数:
$ python script.py path/to/font.ttf
Fonforge无法打开某些字体格式(OTF/TTC),因此这里有一个带有fonttools的版本。在作为脚本运行之前,请运行pip3 install fonttols
:
#!/usr/bin/env python3
import sys
from fontTools.ttLib import TTFont
font = TTFont(sys.argv[1], 0, allowVID=0,
ignoreDecompileErrors=True,
fontNumber=0, lazy=True)
I_cp = ord('I')
M_cp = ord('M')
I_glyphid = None
M_glyphid = None
for table in font['cmap'].tables:
for codepoint, glyphid in table.cmap.items():
if codepoint == I_cp:
I_glyphid = glyphid
if M_glyphid: break
elif codepoint == M_cp:
M_glyphid = glyphid
if I_glyphid: break
if (not I_glyphid) or (not M_glyphid):
sys.stderr.write("Non-alphabetic font %s, giving up!n" % sys.argv[1])
sys.exit(3)
glyphs = font.getGlyphSet()
i = glyphs[I_glyphid]
M = glyphs[M_glyphid]
if i.width == M.width:
sys.exit(0)
else:
sys.exit(1)
这似乎比fontforge打开了更多的字体,尽管我的一些字体仍然失败了。免责声明:我对字体编程一无所知,我不知道上面从Unicode中查找字形的方法是否适用于所有cmap表等。欢迎评论。
基于上面allcaps的另一个答案,以及以下问题的答案:我们如何从python中的glyph id中获得unicode。