3

我正在尝试使用 python(准确地说是 PIL)在图像上绘制某些 unicode 字符。

使用以下代码,我可以生成具有白色背景的图像:

('entity_code' 被传递给方法)

    size = self.font.getsize(entity_code)
    im = Image.new("RGBA", size, (255,255,255))
    draw = ImageDraw.Draw(im)
    draw.text((0,6), entity_code, font=self.font, fill=(0,0,0))
    del draw
    img_buffer = StringIO()
    im.save(img_buffer, format="PNG")

我尝试了以下方法:

('entity_code' 被传递给方法)

    img = Image.new('RGBA',(100, 100))
    draw = ImageDraw.Draw(img)
    draw.text((0,6), entity_code, fill=(0,0,0), font=self.font)
    img_buffer = StringIO()
    img.save(img_buffer, 'GIF', transparency=0)

但是,这无法绘制 unicode 字符。看起来我最终得到了一个空的透明图像:(

我在这里想念什么?有没有更好的方法在 python 中的透明图像上绘制文本?

4

3 回答 3

2

您的代码示例到处都是,我倾向于同意@fraxel 的观点,即您在填充颜色和 RGBA 图像的背景颜色的使用方面不够具体。但是,我实际上根本无法让您的代码示例正常工作,因为我真的不知道您的代码如何组合在一起。

此外,就像@monkut 提到的那样,您需要查看您正在使用的字体,因为您的字体可能不支持特定的 unicode 字符。然而,不受支持的字符应该被绘制为一个空方块(或任何默认值),这样您至少会看到某种输出。

我在下面创建了一个简单的示例,它绘制 unicode 字符并将它们保存到 .png 文件中。

import Image,ImageDraw,ImageFont

# sample text and font
unicode_text = u"Unicode Characters: \u00C6 \u00E6 \u00B2 \u00C4 \u00D1 \u220F"
verdana_font = ImageFont.truetype("verdana.ttf", 20, encoding="unic")

# get the line size
text_width, text_height = verdana_font.getsize(unicode_text)

# create a blank canvas with extra space between lines
canvas = Image.new('RGB', (text_width + 10, text_height + 10), (255, 255, 255))

# draw the text onto the text canvas, and use black as the text color
draw = ImageDraw.Draw(canvas)
draw.text((5,5), unicode_text, font = verdana_font, fill = "#000000")

# save the blank canvas to a file
canvas.save("unicode-text.png", "PNG")

上面的代码创建了下面显示的 png: 统一码文本

作为旁注,我在 Windows 上使用 Pil 1.1.7 和 Python 2.7.3。

于 2013-01-21T19:55:49.620 回答
0

我认为您必须确保加载的字体支持您尝试输出的字符。

这里的一个例子:http: //blog.wensheng.com/2006/03/how-to-create-images-from-chinese-text.html

font = ImageFont.truetype('simsun.ttc',24)
于 2012-06-21T07:59:24.303 回答
0

在您的示例中,您创建了一个RGBA图像,但您没有指定alpha通道的值(因此默认为 255)。如果(255, 255, 255)(255,255,255,0)它替换应该可以正常工作(因为具有 0 alpha 的像素是透明的)。

为了显示:

import Image
im = Image.new("RGBA", (200,200), (255,255,255))
print im.getpixel((0,0))
im2 = Image.new("RGBA", (200,200), (255,255,255,0))
print im2.getpixel((0,0))
#Output:
(255, 255, 255, 255)
(255, 255, 255, 0)
于 2012-06-21T07:59:55.280 回答