5

我想在图片上添加水印。但只是一个文本,而是一个用黑色填充的矩形,里面有一个白色的文本。

目前,我只能写一个文本:

from PIL import Image
from PIL import ImageFont
from PIL import ImageDraw

img = Image.open("in.jpg")

draw = ImageDraw.Draw(img)
font = ImageFont.truetype("/usr/share/fonts/truetype/ubuntu-font-family/Ubuntu-C.ttf", 66)
#font = ImageFont.truetype("Arialbd.ttf", 66)
draw.text((width - 510, height-100),"copyright",(209,239,8), font=font)
img.save('out.jpg')
4

1 回答 1

12

这将在黑色矩形背景上绘制文本:

import Image
import ImageFont
import ImageDraw

img = Image.open("in.jpg")

draw = ImageDraw.Draw(img)
font = ImageFont.truetype(
    "/usr/share/fonts/truetype/ubuntu-font-family/Ubuntu-C.ttf", 66)
x, y = (width - 510, height-100)
# x, y = 10, 10
text = "copyright"
w, h = font.getsize(text)
draw.rectangle((x, y, x + w, y + h), fill='black')
draw.text((x, y), text, fill=(209, 239, 8), font=font)
img.save('out.jpg')

在此处输入图像描述

使用 imagemagick,可以制作更好看的水印

import Image
import ImageFont
import ImageDraw

font = ImageFont.truetype(
    "/usr/share/fonts/truetype/ubuntu-font-family/Ubuntu-C.ttf", 66)
text = "copyright"
size = font.getsize(text)
img = Image.new('RGBA', size=size, color=(0, 0, 0, 0))
draw = ImageDraw.Draw(img)
draw.text((0, 0), text, fill=(209, 239, 8), font=font)
img.save('label.jpg')

然后打电话(subprocess如果你愿意的话)像

composite -dissolve 25% -gravity south label.jpg in.jpg out.jpg

在此处输入图像描述

或者,如果您制作带有白色背景的标签,

composite -compose bumpmap -gravity southeast label.jpg in.jpg out.jpg

在此处输入图像描述


要从 Python 脚本中运行这些命令,您可以subprocess像这样使用:

import Image
import ImageFont
import ImageDraw
import subprocess
import shlex

font = ImageFont.truetype(
    "/usr/share/fonts/truetype/ubuntu-font-family/Ubuntu-C.ttf", 66)
text = "copyright"
size = font.getsize(text)
img = Image.new('RGBA', size=size, color='white')
draw = ImageDraw.Draw(img)
draw.text((0, 0), text, fill=(209, 239, 8), font=font)
img.save('label.jpg')

cmd = 'composite -compose bumpmap -gravity southeast label.jpg in.jpg out.jpg'
proc = subprocess.Popen(shlex.split(cmd))
proc.communicate()
于 2013-09-18T10:26:38.490 回答