矩形内的水印,填充特定颜色

时间:2013-09-18 10:07:29

标签: python python-imaging-library

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

目前,我只能提出一个文字:

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')

1 个答案:

答案 0 :(得分:9)

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

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')

enter image description here

使用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

enter image description here

或者如果您使用白色背景制作标签,

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

enter image description here


要从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()