from PIL import Image, ImageDraw, ImageFont
import textwrap
def draw_multiline_text(texts, font_path, font_size, text_color, max_width=None, outline_width=2, outline_color1=(0, 0, 0), outline_color2=(255, 255, 255)):
"""改行してのテキストを描画する関数
Args:
texts (list or str): 描画するテキストの配列または文字列
font_path (str): フォントファイルのパス
font_size (int): フォントサイズ
text_color (tuple): テキストの色 (R, G, B)
max_width (int, optional): 画像の最大幅px(文字列の場合のみ有効)
outline_width (int): アウトラインの幅
outline_color1(tuple): 内側ラインの色 (R, G, B)
outline_color2(tuple): 外側ラインの色 (R, G, B)
Returns:
Image: 描画された画像
"""
# フォントの読み込み
font = ImageFont.truetype(font_path, font_size)
# textsが文字列の場合、textwrap.wrapで配列に分割
if not isinstance(texts, list):
if max_width == None:
max_width = len(texts) * font_size
texts = textwrap.wrap(texts, width=max_width // font_size)
# 各行のテキストの描画に必要なサイズを計算
line_widths = []
line_heights = []
for text in texts:
dummy_draw = ImageDraw.Draw(Image.new("RGB", (0, 0)))
left, top, right, bottom = dummy_draw.textbbox((0, 0), text, font=font)
line_widths.append(right)
line_heights.append(bottom)
# 全体のテキストのサイズを計算
max_width = max(line_widths)
total_height = sum(line_heights)
# テキストを描画する画像の作成
image = Image.new("RGBA", (max_width + outline_width * 4, total_height + outline_width * 4), (255, 255, 255, 0))
draw = ImageDraw.Draw(image)
# 各行のテキストを描画
y_offset = outline_width
# アウトラインの描画 (outline_color2)
for text, line_height in zip(texts, line_heights):
for x in range(-outline_width*2, outline_width*2 + 1):
for y in range(-outline_width*2, outline_width*2 + 1):
draw.text((outline_width + x, y_offset + y), text, font=font, fill=outline_color2)
y_offset += line_height
# アウトラインの描画 (outline_color1)
y_offset = outline_width
for text, line_height in zip(texts, line_heights):
for x in range(-outline_width, outline_width + 1):
for y in range(-outline_width, outline_width + 1):
draw.text((outline_width + x, y_offset + y), text, font=font, fill=outline_color1)
y_offset += line_height
# 文字の描画
y_offset = outline_width
for text, line_height in zip(texts, line_heights):
draw.text((outline_width, y_offset), text, font=font, fill=text_color)
y_offset += line_height
return image
# 使用例
if __name__ == '__main__':
texts = "これは非常に長いテキストの例です。指定された最大幅で自動的に改行されます。これにより、長いテキストを画像内に収めることができます。"
font_path = r"msgothic.ttc" # フォントファイルのパスを指定
font_size = 62
text_color = (255, 20, 147)
outline_width = font_size // 16
image = draw_multiline_text(texts, font_path, font_size, text_color, 1000, outline_width)
image.show()