使用PIL在GIF上写入文本无效

2024-05-08 02:42:11 发布

您现在位置:Python中文网/ 问答频道 /正文

我试图获取一个.GIF文件,用PIL打开它,然后一帧一帧地在上面写一个文本。但是,代码只保存一个图像(1帧;它不像.GIF文件那样移动。在

代码:

import giphypop
from urllib import request
from PIL import Image
from PIL import ImageFont
from PIL import ImageDraw 

g = giphypop.Giphy()

img = g.translate("dog")
request.urlretrieve(img.media_url, "test.gif") 

opened_gif = Image.open("test.gif")
opened_gif.load()
opened_gif.seek(1)

try:
    while 1:
      slide = opened_gif.seek(opened_gif.tell()+1)
      draw = ImageDraw.Draw(slide)
      # font = ImageFont.truetype(<font-file>, <font-size>)
      font = ImageFont.truetype("sans-serif.ttf", 16)
      # draw.text((x, y),"Sample Text",(r,g,b))
      draw.text((0, 0),"Sample Text",(255,255,255),font=font)
except EOFError:
    pass # end of sequence

except AttributeError:
    print("Couldn't use this slide")

opened_gif.save('test_with_caption.gif')

Tags: 文件代码fromtestimportpilrequestgif
1条回答
网友
1楼 · 发布于 2024-05-08 02:42:11

来自https://github.com/python-pillow/Pillow/issues/3128的代码很好地解决了这个问题。在

from PIL import Image, ImageDraw, ImageSequence
import io

im = Image.open('Tests/images/iss634.gif')

# A list of the frames to be outputted
frames = []
# Loop over each frame in the animated image
for frame in ImageSequence.Iterator(im):
    # Draw the text on the frame
    d = ImageDraw.Draw(frame)
    d.text((10,100), "Hello World")
    del d

    # However, 'frame' is still the animated image with many frames
    # It has simply been seeked to a later frame
    # For our list of frames, we only want the current frame

    # Saving the image without 'save_all' will turn it into a single frame image, and we can then re-open it
    # To be efficient, we will save it to a stream, rather than to file
    b = io.BytesIO()
    frame.save(b, format="GIF")
    frame = Image.open(b)

    # Then append the single frame image to a list of frames
    frames.append(frame)
# Save the frames as a new image
frames[0].save('out.gif', save_all=True, append_images=frames[1:])

相关问题 更多 >