opencv 最小外接四边形
时间: 2023-07-07 22:32:07 浏览: 200
要使用 OpenCV 求解最小外接四边形,可以使用 `cv2.minAreaRect()` 函数。这个函数需要传入一个轮廓参数,然后返回一个旋转矩形对象,包含最小外接矩形的中心坐标、长宽、旋转角度等信息。
下面是一个使用 `cv2.minAreaRect()` 函数求解最小外接四边形的示例代码:
```python
import cv2
# 读取图片并转为灰度图
img = cv2.imread('example.jpg')
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
# 二值化处理
ret, thresh = cv2.threshold(gray, 127, 255, cv2.THRESH_BINARY)
# 寻找轮廓
contours, hierarchy = cv2.findContours(thresh, cv2.RETR_TREE, cv2.CHAIN_APPROX_SIMPLE)
# 对每个轮廓求解最小外接矩形并绘制
for cnt in contours:
rect = cv2.minAreaRect(cnt)
box = cv2.boxPoints(rect)
box = np.int0(box)
cv2.drawContours(img, [box], 0, (0, 0, 255), 2)
# 显示结果
cv2.imshow('result', img)
cv2.waitKey(0)
cv2.destroyAllWindows()
```
上述代码中,我们首先读取了一张图片并转为灰度图,然后进行二值化处理。接着使用 `cv2.findContours()` 函数寻找轮廓,对每个轮廓使用 `cv2.minAreaRect()` 函数求解最小外接矩形,并使用 `cv2.drawContours()` 函数将其绘制在图片上,最后显示结果。
阅读全文