python图像处理——关于获得最小外接矩形如何获取该矩形的四个顶点坐标,以及截取进行仿射变换后矩形内的图像(cv2.boxPoints()、cv2.minAreaRect())待完善

前言

一、最小外接矩形四个顶点的获取

在获取想要轮廓的点集后,可用cv2.minAreaRect()获取点集的最小外接矩形。返回值rect内包含该矩形的中心点坐标、高度宽度及倾斜角度等信息,使用cv2.boxPoints()可获取该矩形的四个顶点坐标。

# 获取最小外接矩阵,中心点坐标,宽高,旋转角度
rect = cv2.minAreaRect(points)
# 获取矩形四个顶点,浮点型
box = cv2.boxPoints(rect)
# 取整
box = np.int0(box)

但我们并不清楚这四个坐标点各对应着矩形的哪一个顶点,因此无法充分地利用这些坐标信息。

可以从坐标值的大小特征入手,将四个坐标与矩形的四个顶点匹配起来:在opencv的坐标体系下,纵坐标最小的是top_point,纵坐标最大的是bottom_point, 横坐标最小的是left_point,横坐标最大的是right_point。

# 获取四个顶点坐标
left_point_x = np.min(box[:, 0])
right_point_x = np.max(box[:, 0])
top_point_y = np.min(box[:, 1])
bottom_point_y = np.max(box[:, 1])
 
left_point_y = box[:, 1][np.where(box[:, 0] == left_point_x)][0]
right_point_y = box[:, 1][np.where(box[:, 0] == right_point_x)][0]
top_point_x = box[:, 0][np.where(box[:, 1] == top_point_y)][0]
bottom_point_x = box[:, 0][np.where(box[:, 1] == bottom_point_y)][0]
# 上下左右四个点坐标
vertices = np.array([[top_point_x, top_point_y], [bottom_point_x, bottom_point_y], [left_point_x, left_point_y], [right_point_x, right_point_y]])

二、截取进行仿射变换后矩形内的图像

错误示例

    width = box[1][0]
    height = box[1][1]

    x_center = box[0][0]
    y_center = box[0][1]

    x_star = x_center - width // 2
    x_end = x_center + width // 2

    y_star = y_center - height // 2
    y_end = y_center + height // 2

正确示例:

    left_point_x = np.min(box[:, 0])
    right_point_x = np.max(box[:, 0])
    top_point_y = np.min(box[:, 1])
    bottom_point_y = np.max(box[:, 1])

    img_crop = img[top_point_y:bottom_point_y,left_point_x:right_point_x]

总结

猜你喜欢

转载自blog.csdn.net/weixin_44598554/article/details/130596172
今日推荐