请问你的问题是如何用Python的OpenCV获取二值图像轮廓及中心点坐标的代码吗?
时间: 2023-12-03 18:46:21 浏览: 142
是的,以下是用Python的OpenCV获取二值图像轮廓及中心点坐标的示例代码:
```python
import cv2
# 读取图像
img = cv2.imread('image.png')
# 转换为灰度图像
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
# 二值化处理
ret, binary = cv2.threshold(gray, 127, 255, cv2.THRESH_BINARY)
# 轮廓检测
contours, hierarchy = cv2.findContours(binary, cv2.RETR_TREE, cv2.CHAIN_APPROX_SIMPLE)
# 绘制轮廓
cv2.drawContours(img, contours, -1, (0, 0, 255), 2)
# 计算轮廓中心点坐标
for cnt in contours:
M = cv2.moments(cnt)
cx = int(M['m10']/M['m00'])
cy = int(M['m01']/M['m00'])
cv2.circle(img, (cx, cy), 5, (0, 255, 0), -1)
# 显示图像
cv2.imshow('image', img)
cv2.waitKey(0)
cv2.destroyAllWindows()
```
其中,`cv2.findContours()`函数用于检测并提取图像中的轮廓,返回值包括轮廓列表和层级关系;`cv2.moments()`函数用于计算轮廓的矩,从而求得轮廓的中心点坐标。
阅读全文