我想用opencv里最小外接矩形的方法来测量不规则形状的长宽,可以吗,如果可以请帮我输出python的完整代码
时间: 2024-02-12 12:09:56 浏览: 218
可以的,下面是使用 OpenCV 中的 `minAreaRect` 函数实现的 Python 代码:
```python
import cv2
# 读取图像
img = cv2.imread('image.jpg')
# 灰度化
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
# 二值化
_, thresh = cv2.threshold(gray, 0, 255, cv2.THRESH_BINARY_INV + cv2.THRESH_OTSU)
# 获取轮廓
_, contours, _ = cv2.findContours(thresh, cv2.RETR_EXTERNAL, cv2.CHAIN_APPROX_SIMPLE)
# 遍历轮廓
for contour in contours:
# 最小外接矩形
rect = cv2.minAreaRect(contour)
box = cv2.boxPoints(rect)
box = box.astype('int')
# 绘制矩形
cv2.drawContours(img, [box], 0, (0, 0, 255), 2)
# 计算长宽
width = int(rect[1][0])
height = int(rect[1][1])
print('宽度:{},高度:{}'.format(width, height))
# 显示图像
cv2.imshow('image', img)
cv2.waitKey(0)
cv2.destroyAllWindows()
```
代码中,首先读取图像并将其转换为灰度图像,然后进行二值化处理,获取轮廓后遍历每个轮廓,获取其最小外接矩形,并计算其长宽,最后绘制矩形并输出长宽。
阅读全文