Python工具包 | 图像处理PIL库的基本使用


如有错误,恳请指出。


文章目录

  • 1. Image类的基本用法
  • 2. ImageFilter类的基本用法
  • 3. ImageFont类的基本用法
  • 4. ImageDraw类的基本用法

官方的API文档如下:https://pillow-cn.readthedocs.io/zh_CN/latest/index.html

直奔主题。下面简要介绍PIL的使用。个人认为,稍微掌握一下ImageDraw, ImageFont, Image,实在不够再加个ImageFilter基本可以满足使用的需求的,我整理的资料如下所示,之后可能会继续在这篇博文中更新PIL库的其他内容。

1. Image类的基本用法

from PIL import Image

plane = Image.open('./photo/plane.jpg')   # 导入图像
plane.show()                 # 显示图像, 在notebook环境中直接plane既可以显示
plane.rotate(180)            # 旋转180°显示图像
plane.convert('L')           # 将图片改变为灰色,参数'L','F','I'都是灰色,一般用L
plane.resize((250, 150))     # 缩放图像
plane.thumbnail((150, 130))  # 缩略图与resize功能类似
plane.save('plane.jpg')      # 保存图片

将numpy格式的矩阵转换为图像显示:

from PIL import Image

real_image = Image.fromarray(image.cpu().numpy(), mode='RGB')
gene_image = Image.fromarray(image_pred.numpy(), mode='RGB')
real_image.show()
gene_image.show()

2. ImageFilter类的基本用法

from PIL import Image, ImageFilter

plane = Image.open('./photo/plane.jpg')              # 导入图像
plane = plane.filter(ImageFilter.BLUR)               # 使图片变模糊
plane = plane.filter(ImageFilter.DETAIL)             # 使图片细节更突出
plane = plane.filter(ImageFilter.CONTOUR)            # 使图片只有轮廓
plane = plane.filter(ImageFilter.EDGE_ENHANCE)       # 使图像整体颜色更深  有点油画的感觉
plane = plane.filter(ImageFilter.EDGE_ENHANCE_MORE)  # 上一个加强版
plane = plane.filter(ImageFilter.EMBOSS)             # 使图片石雕化,就是石膏一样的图片
plane = plane.filter(ImageFilter.FIND_EDGES)         # 使图片黑色化,只剩轮廓
plane = plane.filter(ImageFilter.SMOOTH_MORE)        # 使图片平滑

效果:

Python工具包 | 图像处理PIL库的基本使用_第1张图片


3. ImageFont类的基本用法

from PIL import ImageFont, ImageDraw

# 导入字体
font = ImageFont.load("arial.pil")
draw.text((10, 10), "hello", font=font)

# 导入字体并设置字体大小
font = ImageFont.truetype("arial.ttf", 15)
draw.text((10, 25), "world", font=font)

4. ImageDraw类的基本用法

from PIL import ImageDraw, ImageFont, Image

# 构建图像,绘画,字体类以设置相关内容
plane = Image.open('./photo/plane.jpg')
draw = ImageDraw.Draw(plane)
font = ImageFont.truetype("./Font/Tiger.ttf", size=90) 

# 在原图上绘制直线,颜色可以查准RGB配色表
# width设置线宽,fill设置线颜色
draw.line([(5, 30), (5, 300)], width=5, fill=(255, 250, 250))
draw.line([(15, 30), (15, 300)], width=3, fill=(220, 220, 220))

# 在原图上绘制文本
# font设置字体颜色与格式,fill设置字体颜色
draw.text((20, 120), text="PLANE", font=font, fill=(255,0,0))  

# 在原图上绘制矩形框:
# fill=None表示不填充,outline设置外框的颜色
draw.rectangle([25, 110, 460, 220], fill=None, outline=(25, 25, 112))

效果:

Python工具包 | 图像处理PIL库的基本使用_第2张图片


参考资料:

关于颜色的设置可以查看RGB配色表:https://www.cnblogs.com/seamar/archive/2011/07/29/2120688.html

你可能感兴趣的:(#,Python,python,图像处理,计算机视觉)