与在Python PIL可设定中心和规模作物图像(Crop image with settable

2019-10-23 09:35发布

我想裁剪使用PIL的图像,但也可能是一些其他的模块。 我需要与一个比例因子以裁剪,即1.5意味着输出将被在放大1.5倍的方法。此外,我需要设置在那里放大的中心。 这意味着设定为x / 2,Y / 2为中心将直到中心放大,但其它的x,y值将放大到的那些像素。

如果有人知道如何做到这一点我真的很感激任何帮助。

现在我有一些裁切与IMS工作= im.crop((INT((XX / I)/ 2),INT((YY / I)/ 2),INT((X +(X / I))/ 2) ,INT((Y +(Y / I))/ 2))),但是,只有放大到中心,和 “i” 不提供一个很好的比例因子。

同样,你对你有所帮助。

Answer 1:

这仅仅是一个让中心和尺寸正确的事情。

  1. 确定要裁剪点的中心
  2. 确定使用比例因子的新大小
  3. 确定裁剪图像的边界框

下面的脚本应该做的伎俩。

import os.path
from PIL import Image

def get_img_dir():
    src_dir = os.path.dirname(__file__)
    img_dir = os.path.join(src_dir, '..', 'img')
    return img_dir

def open_img():
    img_dir = get_img_dir()
    img_name = 'amsterdam.jpg'
    full_img_path = os.path.join(img_dir, img_name)
    img = Image.open(full_img_path)
    return img

def crop_image(img, xy, scale_factor):
    '''Crop the image around the tuple xy

    Inputs:
    -------
    img: Image opened with PIL.Image
    xy: tuple with relative (x,y) position of the center of the cropped image
        x and y shall be between 0 and 1
    scale_factor: the ratio between the original image's size and the cropped image's size
    '''
    center = (img.size[0] * xy[0], img.size[1] * xy[1])
    new_size = (img.size[0] / scale_factor, img.size[1] / scale_factor)
    left = max (0, (int) (center[0] - new_size[0] / 2))
    right = min (img.size[0], (int) (center[0] + new_size[0] / 2))
    upper = max (0, (int) (center[1] - new_size[1] / 2))
    lower = min (img.size[1], (int) (center[1] + new_size[1] / 2))
    cropped_img = img.crop((left, upper, right, lower))
    return cropped_img

def save_img(img, img_name):
    img_dir = get_img_dir()
    full_img_path = os.path.join(img_dir, img_name)
    img.save(full_img_path)

if __name__ == '__main__':
    ams = open_img()

    crop_ams = crop_image(ams, (0.50, 0.50), 0.95)
    save_img(crop_ams, 'crop_amsterdam_01.jpg')

    crop_ams = crop_image(ams, (0.25, 0.25), 2.5)
    save_img(crop_ams, 'crop_amsterdam_02.jpg')

    crop_ams = crop_image(ams, (0.75, 0.45), 3.5)
    save_img(crop_ams, 'crop_amsterdam_03.jpg')

原图:

crop_amsterdam_01.jpg:

crop_amsterdam_02.jpg:

crop_amsterdam_03.jpg:



文章来源: Crop image with settable center and scale in Python PIL