如何使用PIL裁剪图像?


Answers:


195

有一种crop()方法:

w, h = yourImage.size
yourImage.crop((0, 30, w, h-30)).save(...)

1
是的,我知道im.crop(box)用于裁剪图像。但是我只想裁剪图像的上部和下部而不是左右,尽管box()取4个元组,但是我没有得到如何裁剪图像的上部和下部的信息。
2012年

4
@TajKoyal:忍者向您展示的正是您如何修剪顶部和底部。他正在为新图像指定一个矩形。您可以看到他从顶部和底部的y值上去除了30个像素。如果以任何方式偏移x值,都会影响左侧和右侧。
jdi 2012年

1
谢谢你们帮我。
2012年

7
对于像我这样懒惰的人Parameters: box – The crop rectangle, as a (left, upper, right, lower)-tuple.
Rishav

52

您需要为此导入PIL(枕头)。假设您的图像尺寸为1200、1600。我们会将图像从400、400裁剪为800、800

from PIL import Image
img = Image.open("ImageName.jpg")
area = (400, 400, 800, 800)
cropped_img = img.crop(area)
cropped_img.show()

20

(左,上,右,下)表示两个点,

  1. (左上)
  2. (右下)

对于800x600像素的图像,图像的左上点是(0,0),右下点是(800,600)。

因此,为了将图像减半:

from PIL import Image
img = Image.open("ImageName.jpg")

img_left_area = (0, 0, 400, 600)
img_right_area = (400, 0, 800, 600)

img_left = img.crop(img_left_area)
img_right = img.crop(img_right_area)

img_left.show()
img_right.show()

在此处输入图片说明

坐标系

Python Imaging Library使用笛卡尔像素坐标系,左上角为(0,0)。注意,坐标指的是隐含的像素角。寻址为(0,0)的像素的中心实际上位于(0.5,0.5)。

坐标通常以2元组(x,y)的形式传递给库。矩形用4元组表示,左上角在前。例如,将覆盖所有800x600像素图像的矩形写为(0,0,800,600)。


13

一种更简单的方法是使用ImageOps中的作物。您可以从每一侧输入要裁剪的像素数。

from PIL import ImageOps

border = (0, 30, 0, 30) # left, up, right, bottom
ImageOps.crop(img, border)
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.