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
|
#!/usr/bin/python
# coding=utf-8
#
# build.py - Amiri font build utility
#
# Written in 2010-2011 by Khaled Hosny <khaledhosny@eglug.org>
#
# To the extent possible under law, the author have dedicated all copyright
# and related and neighboring rights to this software to the public domain
# worldwide. This software is distributed without any warranty.
#
# You should have received a copy of the CC0 Public Domain Dedication along
# with this software. If not, see
# <http://creativecommons.org/publicdomain/zero/1.0/>.
import fontforge
import sys
import os
import getopt
import tempfile
def genCSS(font, base):
style = ("slanted" in font.fullname.lower()) and "oblique" or "normal"
weight = font.os2_weight
family = font.familyname + "Web"
css = """
@font-face {
font-family: %(family)s;
font-style: %(style)s;
font-weight: %(weight)s;
src: url('%(base)s.eot?') format('eot'),
url('%(base)s.woff') format('woff'),
url('%(base)s.ttf') format('truetype');
}
""" %{"style":style, "weight":weight, "family":family, "base":base}
return css
def cleanAnchors(font):
klasses = (
"Dash",
"DigitAbove",
"DigitBelow",
"DotAbove",
"DotAlt",
"DotBelow",
"DotBelowAlt",
"DotHmaza",
"HighHamza",
"MarkDotAbove",
"MarkDotBelow",
"RingBelow",
"RingDash",
"Stroke",
"TaaAbove",
"TaaBelow",
"Tail",
"TashkilAboveDot",
"TashkilBelowDot",
"TwoDotsAbove",
"TwoDotsBelow",
"TwoDotsBelowAlt"
)
for klass in klasses:
subtable = font.getSubtableOfAnchor(klass)
lookup = font.getLookupOfSubtable(subtable)
font.removeLookup(lookup)
def cleanUnused(font):
for glyph in font.glyphs():
# glyphs colored yellow are pending removal, so we remove them from the
# final font.
if glyph.color == 0xffff00:
font.removeGlyph(glyph)
def validateGlyphs(font):
flipped_ref = 0x10
wrong_dir = 0x8
missing_extrema = 0x20
for glyph in font.glyphs():
state = glyph.validate(True)
if state & flipped_ref:
glyph.unlinkRef()
glyph.correctDirection()
if state & wrong_dir:
glyph.correctDirection()
if state & missing_extrema:
glyph.addExtrema("all")
def setVersion(font, version):
font.version = "%07.3f" %float(version)
font.appendSFNTName("Arabic (Egypt)", "Version", "إصدارة %s" %font.version.replace(".", ","))
def mergeFeatures(font, feafile):
oldfea = tempfile.mkstemp(suffix='.fea')[1]
font.generateFeatureFile(oldfea)
for lookup in font.gpos_lookups:
font.removeLookup(lookup)
font.mergeFeature(feafile)
font.mergeFeature(oldfea)
os.remove(oldfea)
def stripLocalName(font):
for name in font.sfnt_names:
if name[0] != "English (US)" and name[1] in ("Family", "Fullname"):
font.appendSFNTName(name[0], name[1], None)
def makeCss(infile, outfile):
text = ""
for f in infile.split():
base = os.path.splitext(os.path.basename(f))[0]
font = fontforge.open(f)
text += genCSS(font, base)
font.close()
out = open(outfile, "w")
out.write(text)
out.close()
def generateFont(font, outfile, hack=False):
flags = ("opentype", "dummy-dsig", "round")
if hack:
# ff takes long to write the file, so generate to tmp file then rename
# it to keep fontview happy
import subprocess
tmpout = tempfile.mkstemp(dir=".", suffix=os.path.basename(outfile))[1]
font.generate(tmpout, flags=flags)
#os.rename(tmpout, outfile) # file monitor will not see this, why?
p = subprocess.Popen("cat %s > %s" %(tmpout, outfile), shell=True)
p.wait()
os.remove(tmpout)
else:
font.generate(outfile, flags=flags)
font.close()
def makeWeb(infile, outfile):
"""If we are building a web version then try to minimise file size"""
from fontTools.ttLib import TTFont
# suppress noisy DeprecationWarnings in fontTools
import warnings
warnings.filterwarnings("ignore",category=DeprecationWarning)
font = TTFont(infile, recalcBBoxes=0)
# internal glyph names are useless on the web, so force a format 3 post
# table
post = font['post']
post.formatType = 3.0
post.glyphOrder = None
del(post.extraNames)
del(post.mapping)
# 'name' table is a bit bulky, and of almost no use in for web fonts,
# so we strip all unnecessary entries.
name = font['name']
names = []
for record in name.names:
platID = record.platformID
langID = record.langID
nameID = record.nameID
# we keep only en_US entries in Windows and Mac platform id, every
# thing else is dropped
if (platID == 1 and langID == 0) or (platID == 3 and langID == 1033):
if nameID == 13:
# the full OFL text is too much, replace it with a simple
# string
if platID == 3:
# MS strings are UTF-16 encoded
text = 'OFL v1.1'.encode('utf_16_be')
else:
text = 'OFL v1.1'
record.string = text
names.append(record)
# keep every thing else except Descriptor, Sample Text
elif nameID not in (10, 19):
names.append(record)
name.names = names
# dummy DSIG is useless here too
del(font['DSIG'])
# FFTM is FontForge specific, remove too
del(font['FFTM'])
# force compiling GPOS/GSUB tables by fontTools, saves few tens of KBs
for tag in ('GPOS', 'GSUB'):
font[tag].compile(font)
font.save(outfile)
font.close()
def makeSlanted(infile, outfile, slant):
import psMat
import math
font = fontforge.open(infile)
# compute amout of skew, magic formula copied from fontforge sources
skew = psMat.skew(-slant * math.pi/180.0)
font.selection.all()
font.transform(skew)
# fix metadata
font.italicangle = slant
font.fontname = font.fontname.replace("Regular", "Slanted")
font.fullname += " Slanted"
font.appendSFNTName("Arabic (Egypt)", "SubFamily", "مائل")
def makeSfd(infile, outfile, version):
font = fontforge.open(infile)
if version:
setVersion(font, version)
font.save(outfile)
font.close()
def makeDesktop(infile, outfile, feafile, version, nolocalname):
font = fontforge.open(infile)
if version:
setVersion(font, version)
# remove anchors that are not needed in the production font
cleanAnchors(font)
# fix some common font issues
validateGlyphs(font)
# remove unused glyphs
cleanUnused(font)
if nolocalname:
stripLocalName(font)
if feafile:
mergeFeatures(font, feafile)
generateFont(font, outfile, True)
def usage(code):
message = """Usage: %s OPTIONS...
Options:
--input=FILE file name of input font
--output=FILE file name of output font
--version=VALUE set font version to VALUE
--feature-file=FILE optional feature file
--slant=VALUE autoslant
--css output is a CSS file
--sfd output is a SFD file
--web output is web version
--desktop output is desktop version
--no-localised-name strip out localised font name
-h, --help print this message and exit
""" % os.path.basename(sys.argv[0])
print message
sys.exit(code)
if __name__ == "__main__":
try:
opts, args = getopt.gnu_getopt(sys.argv[1:],
"h",
["help","input=","output=", "feature-file=", "version=", "slant=", "css", "web", "desktop", "sfd", "no-localised-name"])
except getopt.GetoptError, err:
print str(err)
usage(-1)
infile = None
outfile = None
feafile = None
version = None
slant = False
css = False
web = False
desktop = False
sfd = False
nolocalname = False
for opt, arg in opts:
if opt in ("-h", "--help"):
usage(0)
elif opt == "--input": infile = arg
elif opt == "--output": outfile = arg
elif opt == "--feature-file": feafile = arg
elif opt == "--version": version = arg
elif opt == "--slant": slant = float(arg)
elif opt == "--css": css = True
elif opt == "--web": web = True
elif opt == "--desktop": desktop = True
elif opt == "--sfd": sfd = True
elif opt == "--no-localised-name": nolocalname = True
if not infile:
print "No input file"
usage(-1)
if not outfile:
print "No output file"
usage(-1)
if css:
makeCss(infile, outfile)
if sfd:
makeSfd(infile, outfile, version)
if slant:
makeSlanted(infile, outfile, slant)
if web:
makeWeb(infile, outfile)
if desktop:
makeDesktop(infile, outfile, feafile, version, nolocalname)
|