我想创建一个Python脚本来调整图像大小,但不是通过添加白色背景来改变其比例
(因此,a:500 * 700像素图像将通过在每侧添加100 px白色条带转换为700 * 700像素图像)
我使用的三种图像类型是.PNG,.JPG和.GIF 。我甚至不确定Gifs,PNG和JPG是否可能已经很棒了。
在我的情况下,他们必须是正方形。但是如果你们中的任何人设法做到适应任何比例,那么看到这个帖子的人数最多就会受益更加棒极了!
我看到其他语言的线程相同但不是python,你们知道你是怎么做的吗?
PS:我正在使用Python 3
我尝试了什么:
将3张图像合并在一起。
如果我们拍摄500 * 700像素图像: 创建两个100 * 700px的白色图像,并在图像的每一侧放置一个。灵感来自:
Combine several images horizontally with Python
但是,我是python的新手,我还没有成功。
答案 0 :(得分:5)
最后做到了:
def Reformat_Image(ImageFilePath):
from PIL import Image
image = Image.open(ImageFilePath, 'r')
image_size = image.size
width = image_size[0]
height = image_size[1]
if(width != height):
bigside = width if width > height else height
background = Image.new('RGBA', (bigside, bigside), (255, 255, 255, 255))
offset = (int(round(((bigside - width) / 2), 0)), int(round(((bigside - height) / 2),0)))
background.paste(image, offset)
background.save('out.png')
print("Image has been resized !")
else:
print("Image is already a square, it has not been resized !")
感谢@Blotosmetek的建议,粘贴居中的图像绝对比创建图像和组合它们更简单!
PS:如果你还没有PIL,那么使用pip安装它的库的名称是" pillow"而不是PIL。但是,你仍然在代码中将它用作PIL。
答案 1 :(得分:4)
感谢@Jay D.,这里是更通用的版本:
from PIL import Image
def resize(image_pil, width, height):
'''
Resize PIL image keeping ratio and using white background.
'''
ratio_w = width / image_pil.width
ratio_h = height / image_pil.height
if ratio_w < ratio_h:
# It must be fixed by width
resize_width = width
resize_height = round(ratio_w * image_pil.height)
else:
# Fixed by height
resize_width = round(ratio_h * image_pil.width)
resize_height = height
image_resize = image_pil.resize((resize_width, resize_height), Image.ANTIALIAS)
background = Image.new('RGBA', (width, height), (255, 255, 255, 255))
offset = (round((width - resize_width) / 2), round((height - resize_height) / 2))
background.paste(image_resize, offset)
return background.convert('RGB')
答案 2 :(得分:0)
另一个答案对我不起作用,我改写了这个,就行了:
def resize_with_pad(im, target_width, target_height):
'''
Resize PIL image keeping ratio and using white background.
'''
target_ratio = target_height / target_width
im_ratio = im.height / im.width
if target_ratio > im_ratio:
# It must be fixed by width
resize_width = target_width
resize_height = round(resize_width * im_ratio)
else:
# Fixed by height
resize_height = target_height
resize_width = round(resize_height / im_ratio)
image_resize = im.resize((resize_width, resize_height), Image.ANTIALIAS)
background = Image.new('RGBA', (target_width, target_height), (255, 255, 255, 255))
offset = (round((target_width - resize_width) / 2), round((target_height - resize_height) / 2))
background.paste(image_resize, offset)
return background.convert('RGB')