我如何使用opencv实现居中剪切图像

时间:2019-09-11 02:51:31

标签: python opencv image-processing affinetransform

当我使用warpAffine剪切图像时:

M2 = np.float32([[1, 0, 0], [0.2, 1, 0]])
aff2 = cv2.warpAffine(im, M2, (W, H))

我获得的图像在图像中心周围没有被剪切。我可以在图像的一侧看到黑色的三角形区域,而另一侧没有黑色的区域。

如何让图像对称地剪切?

1 个答案:

答案 0 :(得分:3)

您必须调整翻译参数(第3列)以使图像居中。也就是说,您必须翻译宽度和高度乘以系数的一半。

例如

M2 = np.float32([[1, 0, 0], [0.2, 1, 0]])
M2[0,2] = -M2[0,1] * W/2
M2[1,2] = -M2[1,0] * H/2
aff2 = cv2.warpAffine(im, M2, (W, H))

之前

enter image description here

之后

enter image description here

完整代码

import cv2
import numpy as np
import matplotlib.pyplot as plt

im = np.ones((100,100))
H, W = im.shape

M2 = np.float32([[1, 0, 0], [0.2, 1, 0]])
M2[0,2] = -M2[0,1] * W/2
M2[1,2] = -M2[1,0] * H/2
aff2 = cv2.warpAffine(im, M2, (W, H))

plt.imshow(aff2, cmap="gray")