Here, we will discuss about image transformation: geometrical, color, point some image thresholding, image enhancement buy applying filters, editing GIF, drawing on an image, image conversion and modification in bulk and rolling image using PIL
.Pillow
is a fork of PIL- Python Imaging Library
that will support Python 3.x.
Installing pillow
library:
pip install PIL
The important class of the library: Image
Opening the image and getting details about it.
1 2 3 4 5 6 7 8 9 | from PIL import Image im = Image. open ( 'simpson.png' ) print (im.size, im.mode, im. format ) #(1600, 1200) RGBA PNG im.show() #To open the image |
data:image/s3,"s3://crabby-images/b6cc2/b6cc2d5e427acc8de01d7551d42403f18dcda2f9" alt=""
As you can see from the comand:
1 2 | print (im.size, im.mode, im. format ) #(1600, 1200) RGBA PNG |
the image has a RGBA color profile. We can convert it to jpeg only after converting it to RGB:
1 2 | rgb_im = im.convert( 'RGB' ) rgb_im.save( 'simpson_new.jpg' ) |
data:image/s3,"s3://crabby-images/11597/11597131cef9a8f9153991fc994498f8f8c04ca6" alt=""
Rotate an image:
1 2 3 4 5 6 7 8 9 10 | from PIL import Image import os im = Image. open ( 'simpson.png' ) im = im.rotate( 45 ) # rotate the object im 45 degrees rgb_im = im.convert( 'RGB' ) rgb_im.save( 'simpson_45.jpg' ) im.close() |
data:image/s3,"s3://crabby-images/0b0ef/0b0ef42e4aacb54105ab9af1f5ca7dc095de37a4" alt=""
You can resize the image through the resize
command:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 | from PIL import Image import os im = Image. open ( 'simpson.png' ) rx = int (im.width / 10 ) ry = int (im.height / 10 ) im = im.resize((rx,ry)) #rx and ry are new pixel of image rgb_im = im.convert( 'RGB' ) rgb_im.save( 'simpson_resized.jpg' ) im.close() |
data:image/s3,"s3://crabby-images/a0298/a02984aa309edb26de9edd180639bdd8eca8edd9" alt=""
Add a text to immage:
1 2 3 4 5 6 7 8 9 10 11 12 | from PIL import Image, ImageDraw, ImageFont import os im = Image. open ( 'simpson.png' ) d1 = ImageDraw.Draw(im) myFont = ImageFont.truetype( 'Monofur/monofur bold Nerd Font Complete Mono Windows Compatible.ttf' , 140 ) d1.text(( 650 , 700 ), 'Hello World' , font = myFont, fill = ( 255 , 255 , 0 )) im.save( 'simpson_hello.png' ) im.close() |
data:image/s3,"s3://crabby-images/40166/40166908204610c382732edbd071e20682a39ab7" alt=""
Crop and paste the parts of the image:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 | from PIL import Image import os #path = # path of the image that you won't to open #os.chdir(path) im = Image. open ( 'simpson.png' ) print (im.size, im.mode, im. format ) #(1600, 1200) RGBA PNG box = ( 531 , 38 , 957 , 434 ) #Two points of a rectangle to be cropped cropped_part = im.crop(box) cropped_part = cropped_part.transpose(Image.ROTATE_180) im.paste(cropped_part,box) im.show() #To open the image |
data:image/s3,"s3://crabby-images/fe77f/fe77f4cd92670b20b07aa0ac5a084524894b0364" alt=""