我的目标是确定某个点是否位于ROI之内。我设法裁剪了ROI,并可以像这样访问宽度和高度
width = roi.shape[0] #total rows as width
height = roi.shape[1] #total columns as height
但是,我缺少2个其他变量,即顶部和左侧坐标,以便构造以下语句来确定我的点是否在ROI中。
if(top < point_x < top + width and left < point_x < left + height)
感谢您的帮助和时间,谢谢。
答案 0 :(得分:7)
您可以使用cv2.pointPolygonTest()
来确定您的点是否存在于ROI中。
基本上,您可以检查一个点是否在轮廓内。该函数返回+1
,-1
或0
分别指示一个点是在轮廓的内部,外部还是在轮廓上。由于已经有了ROI坐标,因此可以将其用作轮廓来检测该点是否在ROI内。这是一个示例,该示例查找圆轮廓,然后检查轮廓中是否有两个点。
测试图像
找到轮廓并检查点后的图像
结果
point1 -1.0
point2 1.0
因此,point1在轮廓之外,point2在轮廓内部。
import cv2
import numpy as np
image = cv2.imread('1.jpg')
gray = cv2.cvtColor(image, cv2.COLOR_BGR2GRAY)
canny = cv2.Canny(gray, 120, 255, 1)
cnts = cv2.findContours(canny, cv2.RETR_EXTERNAL, cv2.CHAIN_APPROX_SIMPLE)
cnts = cnts[0] if len(cnts) == 2 else cnts[1]
point1 = (50, 50)
cv2.circle(image, point1, 8, (100, 100, 255), -1)
cv2.putText(image, 'point1', (point1[0] -10, point1[1] -20), cv2.FONT_HERSHEY_SIMPLEX, 1.0, (0, 0, 0), lineType=cv2.LINE_AA)
point2 = (150, 150)
cv2.circle(image, point2, 8, (200, 100, 55), -1)
cv2.putText(image, 'point2', (point2[0] -10, point2[1] -20), cv2.FONT_HERSHEY_SIMPLEX, 1.0, (0, 0, 0), lineType=cv2.LINE_AA)
for c in cnts:
cv2.drawContours(image, [c], -1, (36, 255, 12), 2)
res1 = cv2.pointPolygonTest(c, point1, False)
res2 = cv2.pointPolygonTest(c, point2, False)
print('point1', res1)
print('point2', res2)
cv2.imshow('image', image)
cv2.imwrite('image.png', image)
cv2.waitKey()