如何用Python获得1200英寸的truetype字体字符的宽度?

时间:2010-11-16 02:24:50

标签: python true-type-fonts

我可以用PIL(见下文)获得字符的高度和宽度,但是(除非我弄错了)像素大小取决于屏幕的DPI,它可能会有所不同。相反,我想做的是以绝对单位计算字符的宽度,如英寸或1200英寸(“wordperfect units”)。

>>> # Getting pixels width with PIL
>>> font = ImageFont.truetype('/blah/Fonts/times.ttf' , 12)
>>> font.getsize('a')
(5, 14)

我想要这样做的原因是创建一个自动换行功能来​​编写二进制Word Perfect文档。 Word Perfect要求在整个文本中的有效点插入软换行代码,否则文件将损坏且无法打开。问题是在哪里为可变宽度字体添加它们。

我意识到我并不完全理解像素与屏幕分辨率和字体大小之间的关系。我是不是错了?

2 个答案:

答案 0 :(得分:4)

原始文本宽度通常在typographer's points中计算,但由于字体定义的目的点定义为1/72英寸,因此您可以轻松地将其转换为任何其他单位。

要获取字符的设计宽度(以 em 单位表示),您需要访问字体的低级数据。最简单的方法是pip install fonttools,它可以在尽可能低的字体定义级别下工作。

安装了fontTools后,您可以:

  1. 加载字体数据 - 这需要实际字体文件的路径;
  2. 字符宽度存储为 glyph 宽度,这意味着您必须检索“字符到字形”映射;这是在cmap字体表中:

    一个。为您的字体加载cmap。最有用的是Unicode映射 - 字体可能包含其他字体。 湾为您的字体加载字形集。这是该字体中字形的名称列表。

  3. 然后,对于每个Unicode字符,首先查找其名称,然后使用该名称以设计单位检索其宽度。

  4. 不要忘记'设计单位'是基于字体的整体'设计宽度'。这可以是1000(典型的Type 1字体),2048(TrueType字体的典型值)或任何其他值的标准值。
  5. 这导致了这个功能:

    from fontTools.ttLib import TTFont
    from fontTools.ttLib.tables._c_m_a_p import CmapSubtable
    
    font = TTFont('/Library/Fonts/Arial.ttf')
    cmap = font['cmap']
    t = cmap.getcmap(3,1).cmap
    s = font.getGlyphSet()
    units_per_em = font['head'].unitsPerEm
    
    def getTextWidth(text,pointSize):
        total = 0
        for c in text:
            if ord(c) in t and t[ord(c)] in s:
                total += s[t[ord(c)]].width
            else:
                total += s['.notdef'].width
        total = total*float(pointSize)/units_per_em;
        return total
    
    text = 'This is a test'
    
    width = getTextWidth(text,12)
    
    print ('Text: "%s"' % text)
    print ('Width in points: %f' % width)
    print ('Width in inches: %f' % (width/72))
    print ('Width in cm: %f' % (width*2.54/72))
    print ('Width in WP Units: %f' % (width*1200/72))
    

    结果是:

    Text: "This is a test"
    Width in points: 67.353516
    Width in inches: 0.935465
    Width in cm: 2.376082
    Width in WP Units: 1122.558594
    

    并且与Adobe InDesign报告的内容相比是正确的。 (请注意,此处未应用每个字符字距调整!这将需要更多代码。)

    字体中未定义的字符会被忽略,并且通常会使用.notdef字形的宽度。如果您希望将此报告为错误,请删除函数中的if测试。

    在函数float中转换为getTextWidth是如此,这在Python 2.7和3.5下都有效,但请注意,如果使用Python 2.7和更大值的Unicode字符(不是纯ASCII),需要重写函数才能正确使用UTF8字符。

答案 1 :(得分:0)

这对我来说更好:

def pixel_width(unicode_text): 
    width=len(unicode_text)*50 
    height=100 
    back_ground_color=(0,0,0) 
    font_size=64 
    font_color=(255,255,255) 

    im  =  Image.new ( "RGB", (width,height), back_ground_color ) 
    draw  =  ImageDraw.Draw (im) 
    unicode_font = ImageFont.truetype("./usr/share/fonts/truetype/dejavu/DejaVuSansMono.ttf", font_size) 
    draw.text ( (0,0), unicode_text, font=unicode_font, fill=font_color ) 
    im.save("/dev/shm/text.png") 
    box = Image.open("/dev/shm/text.png").getbbox() 
    return box[2] - box[0]