改变图像中物体对象(像素)之间的空间关系。
平移
data:image/s3,"s3://crabby-images/91b95/91b9559e8edc7d639ccfbe1c36c9a1e4f3c39ef6" alt="在这里插入图片描述"
# 定义平移矩阵,需要是numpy的float32类型# x轴平移50,y轴平移80, 2*3矩阵
M = np.array([[1, 0, 50],
[0, 1, 80]], dtype=np.float32)
# 用仿射变换实现平移
new_image = cv2.warpAffine(image, M, (w, h), borderValue=(0, 0, 0))
data:image/s3,"s3://crabby-images/b2eeb/b2eeb561cca81487d20babb694402e6fa88ea5fe" alt="在这里插入图片描述"
镜像
data:image/s3,"s3://crabby-images/e1028/e1028934721a91b88e75875c6a0f9be1a5fa5f56" alt="在这里插入图片描述"
水平镜像
data:image/s3,"s3://crabby-images/d1006/d1006ac6c939200190d1d667b376e2162daaadde" alt="在这里插入图片描述"
# Flipped Horizontally 水平翻转
Horizontal = cv2.flip(image, 1)
data:image/s3,"s3://crabby-images/b2f6b/b2f6b47ab8f107d770f98c2fdfc45ffcca089cf8" alt="在这里插入图片描述"
垂直镜像
data:image/s3,"s3://crabby-images/eadda/eadda1347527a36bee7649c46ea459d1606ced65" alt="在这里插入图片描述"
# Flipped Vertically 垂直翻转
Vertical = cv2.flip(image, 0)
data:image/s3,"s3://crabby-images/d146e/d146eef902d283dd37b4b27cd0ac43e1d9e91a7b" alt="在这里插入图片描述"
旋转
以图像左上角为旋转中心
data:image/s3,"s3://crabby-images/a97f9/a97f93f30252c050c9b6e175175ca705e9f05050" alt="在这里插入图片描述"
# 定义旋转矩阵, 2x3
M = np.array([[ np.cos(Beta), np.sin(Beta), 0],
[-np.sin(Beta), np.cos(Beta), 0]], dtype=np.float32)
# 用仿射变换实现旋转
new_image = cv2.warpAffine(image, M, (w, h))
data:image/s3,"s3://crabby-images/66494/6649493f584a5ecedaa1c6323fdbeb77120cbcc0" alt="在这里插入图片描述"
以图像中心为旋转中心
# 定义旋转矩阵,这次使用cv2.getRotationMatrix2D()这个函数,
# 其中第一个参数为旋转的中心点,第二个为旋转角度,第三个为缩放比例
M = cv2.getRotationMatrix2D((h/2,w/2), 30, 1)
print(M)
# 用仿射变换实现旋转
new_image = cv2.warpAffine(image, M, (w, h), borderMode=cv2.BORDER_DEFAULT)
data:image/s3,"s3://crabby-images/1c7b1/1c7b12587e7310d5146a6e0605884c221f9e74ea" alt="在这里插入图片描述"
缩放
data:image/s3,"s3://crabby-images/1ee3b/1ee3b5181380e09f621a0a6282ea1e1313c85a83" alt="在这里插入图片描述"
new_image = cv2.resize(image, (0, 0), fx=3, fy=3, interpolation=cv2.INTER_NEAREST)
data:image/s3,"s3://crabby-images/e239a/e239aa5d89d096e6d668033de4f38921130eafa8" alt="在这里插入图片描述"
插值算法
最近邻插值算法
cv2.INTER_NEAREST
双线性插值算法
cv2.INTER_LINEAR
三次内插法
cv2.INTER_CUBIC
|