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
|
#!/usr/bin/env python
## Copyright (C) 2001-2019 Artifex Software, Inc.
# All Rights Reserved.
#
# This software is provided AS-IS with no warranty, either express or
# implied.
#
# This software is distributed under license and may not be copied,
# modified or distributed except as expressly authorized under the terms
# of the license contained in the file LICENSE in this distribution.
#
# Refer to licensing information at http://www.artifex.com or contact
# Artifex Software, Inc., 1305 Grant Avenue - Suite 200, Novato,
# CA 94945, U.S.A., +1(415)492-9861, for further information.
#
# script to analyse differences in Adobe Font Metrics files
import string
class fontmetric:
"""A container for a parsed font metric file"""
def __init__(self, filename):
self.filename = filename
self.mode = [''] # this is a stack that keeps track of the parsing context
self.info = {} # global font info
self.metrics = {} # glyph metrics, index by postscript character name
self.kerning = {} # kerning data
def parse(self):
print
print "loading metric data from '"+self.filename+"'"
self.file = open(self.filename, 'r')
line = self.file.readline()
while line != '':
self.parseline(string.strip(line))
line = self.file.readline()
self.file.close()
def parseline(self, line):
# skip blank lines
if len(line) == 0: return
#print " parsing '"+line+"'"
bits = string.split(line)
key = bits[0]
# handle context changes
if key[:5] == 'Start':
self.mode.append(key[5:])
print " parsing " + self.mode[-1]
return
if key[:3] == 'End':
self.mode.pop()
return
# parse inside the current context
if self.mode[-1] == 'FontMetrics':
# some keys we treat specially
if key == 'FontBBox':
value = [ bits[1], bits[2], bits[3], bits[4] ]
elif key == 'VVector' or key == 'CharWidth':
value = [ bits[1], bits[2] ]
# all are a string or a single value we treat as such
else:
value = string.join(bits[1:])
#print " "+key+": "+str(value)
self.info[key] = value
elif self.mode[-1] == 'CharMetrics':
if key != 'C' and key != 'CX':
print "error: non metric data!"
return
# each line is a dictionary
dict = {}
for element in string.split(line, ';'):
bits = string.split(element)
if len(bits) > 0:
if bits[0] == 'B':
value = [ int(bits[1]), int(bits[2]), int(bits[3]), int(bits[4]) ]
else:
value = string.join(bits[1:])
dict[bits[0]] = value
self.metrics[dict['N']] = dict
del dict
def print_info(self):
keys = self.info.keys()
keys.sort()
for key in keys:
print " " + string.ljust(key, 18) + " " + str(self.info[key])
def print_metrics(self):
keys = self.metrics.keys()
keys.sort()
for glyph in keys:
width = self.metrics[glyph]['WX']
bbox = self.metrics[glyph]['B']
print " " + string.rjust(glyph, 12),
print " " + string.rjust(width, 5),
print " %4d %4d %4d %4d" % (bbox[0],bbox[1],bbox[2],bbox[3])
def dump(file):
afm = fontmetric(file)
afm.parse()
print "Font Information for " + afm.info['FullName'] + " (" + afm.filename + ")"
afm.print_info()
print "Font Metrics [width] [bbox]"
afm.print_metrics()
def diff(a,b):
one = fontmetric(a)
one.parse();
two = fontmetric(b)
two.parse()
print "differences between '"+a+"' and '"+b+"':"
#print " [not yet implemented. try --dump on each file and then running 'diff']"
# break abstraction
glyphs = one.metrics.keys()
glyphs.sort()
count = 0
for glyph in glyphs:
awx = one.metrics[glyph]['WX']
try:
bwx = two.metrics[glyph]['WX']
except KeyError:
continue
if awx != bwx:
count += 1
print " ", glyph, awx, bwx
print count, "advance width differences"
import sys, getopt
def usage():
print "Usage: " + sys.argv[0] + " [options] <file1.afm> [<file2.afm>]"
print "reads adobe font metric files an preforms various tasks"
print " options:"
print " --dump prints the parsed data for manual comparison"
print " --diff prints a summary of the differences between two afm files"
print " --help this summary"
print
def main():
try:
opts, args = getopt.getopt(sys.argv[1:], "hdxv", ['help', 'dump', 'diff', 'version'])
except getopt.GetoptError:
usage()
sys.exit(2)
for opt, arg in opts:
if opt in ('-h', '--help'):
usage();
sys.exit();
elif opt in ('-d', '--dump'):
if len(args) > 0:
for file in args: dump(file);
else:
print " --dump requires at least one file as an argument"
sys.exit(2)
elif opt in ('-x', '--diff'):
if len(args) == 2:
diff(args[0], args[1])
else:
print " --diff requires two files as arguments"
sys.exit(2)
# call ourselves if we're a script
if __name__ == "__main__":
main()
|