请问你的问题是如何用Python的OpenCV获取图像轮廓坐标的代码吗?
时间: 2023-12-03 17:46:22 浏览: 66
是的,获取图像轮廓坐标可以使用OpenCV的findContours函数。以下是一个简单的示例代码:
```python
import cv2
# 读取图像
img = cv2.imread('image.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)
# 绘制轮廓
cv2.drawContours(img, contours, -1, (0,255,0), 3)
# 显示结果
cv2.imshow('image', img)
cv2.waitKey(0)
cv2.destroyAllWindows()
```
在这个示例中,我们首先读取一张图像,然后将其转换为灰度图像并进行二值化处理。接下来,我们使用`findContours`函数获取轮廓,并使用`drawContours`函数将轮廓绘制到图像上。最后,我们显示结果。
相关问题
请问你的问题是如何用Python的OpenCV获取二值图像轮廓及中心点坐标的代码吗?
是的,以下是用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()`函数用于计算轮廓的矩,从而求得轮廓的中心点坐标。
如何用Python的OpenCV获取二值图像轮廓及中心点坐标的代码吗?
您可以使用以下代码来使用Python的OpenCV获取二值图像的轮廓及中心点坐标:
```python
import cv2
# 读取二值图像
image = cv2.imread('binary_image.png', cv2.IMREAD_GRAYSCALE)
# 使用阈值处理将图像转换为二值图像
_, binary = cv2.threshold(image, 127, 255, cv2.THRESH_BINARY)
# 查找轮廓
contours, _ = cv2.findContours(binary, cv2.RETR_EXTERNAL, cv2.CHAIN_APPROX_SIMPLE)
# 获取轮廓的中心点坐标
center_points = []
for contour in contours:
M = cv2.moments(contour)
if M["m00"] != 0:
cX = int(M["m10"] / M["m00"])
cY = int(M["m01"] / M["m00"])
center_points.append((cX, cY))
# 绘制轮廓及中心点
cv2.drawContours(image, contours, -1, (0, 255, 0), 2)
for (cX, cY) in center_points:
cv2.circle(image, (cX, cY), 5, (0, 0, 255), -1)
# 显示结果
cv2.imshow("Contours", image)
cv2.waitKey(0)
cv2.destroyAllWindows()
```
请确保将`'binary_image.png'`替换为您的二值图像文件的路径。这段代码将读取二值图像,找到轮廓,并计算每个轮廓的中心点坐标,然后绘制轮廓及中心点。
阅读全文