『youcans 的 OpenCV 例程300篇 - 总目录』
角是直线方向的快速变化。角点通常被定义为两条边的交点,或者说角点的邻域应该具有两个不同区域的不同方向的边界。
角是高度有效的特征。角点检测(Corner Detection)广泛应用于运动检测、图像匹配、视频跟踪、三维重建和目标识别。
OpenCV 中提供了 Harris 角点检测函数 cv.cornerHarris()。
函数说明:
cv.cornerHarris(src, blockSize, ksize, k[, dst=None, borderType=BORDER_DEFAULT] ) → dst
函数 cv.cornerHarris 运行 Harris 角检测器。
对于每个像素 (x,y) 计算梯度协方差矩阵 M ( x , y ) M(x,y) M(x,y)。然后计算特征:
d s t ( x , y ) = d e t M ( x , y ) − k ⋅ ( t r M ( x , y ) ) 2 dst(x,y) = det M^{(x,y)} - k \cdot (tr M^{(x,y)})^2 dst(x,y)=detM(x,y)−k⋅(trM(x,y))2
则角点在特征响应图像中是局部极大值。 实践中定义当 R 大于设定阈值,且为局部最大值的点为角点 。
参数说明:
OpenCV 提供了函数 cv.cornerSubPix() 用于细化角点位置,细化了以亚像素精度检测到的角点位置。
cv.cornerSubPix(image, corners, winSize, zeroZone, criteria[, ]) → corners
函数 cv.cornerSubPix 用于细化角点位置。该算法通过将角的质心设为新的中心,迭代计算以获得角点或径向鞍点的亚像素精确位置。
参数说明:
注意事项:
# 14.20 Harris 角点检测之精确定位 (cornerSubPix)
img = cv2.imread("../images/sign01.png", flags=1)
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY) # (600, 540)
print(img.shape) # (600, 836, 3)
# 角点检测
gray = np.float32(gray) # uint8,float32 都支持
dst = cv2.cornerHarris(gray, 2, 3, 0.04) # Harris 角点检测
_, dst = cv2.threshold(dst, 0.01 * dst.max(), 255, 0) # 提取角点
dst = np.uint8(dst) # (600, 836)
# 角点检测结果图像
imgCorner = np.copy(img)
imgCorner[:,:,2] = cv2.bitwise_or(imgCorner[:,:,2], dst) # 筛选角点,红色标记
# 对检测角点进行精细定位
ret, labels, stats, centroids = cv2.connectedComponentsWithStats(dst) # 检测连通区域
criteria = (cv2.TERM_CRITERIA_EPS + cv2.TERM_CRITERIA_MAX_ITER, 100, 0.001) # 终止判据
fineCorners = cv2.cornerSubPix(gray, np.float32(centroids), (5,5), (-1,-1), criteria) # (144, 2)
# 精细定位检测图像
imgFineCorners = np.copy(img)
centroids = centroids.astype(np.int) # 连通区域的质心 (x,y)
fineCorners = fineCorners.astype(np.int) # 精细定位的角点 (x,y)
imgFineCorners[centroids[:, 1], centroids[:, 0]] = [0,255,0] # Harris 检测位置,绿色
imgFineCorners[fineCorners[:, 1], fineCorners[:, 0]] = [0,0,255] # 精细检测位置,红色
plt.figure(figsize=(9, 6))
plt.subplot(131), plt.axis('off'), plt.title("Origin")
plt.imshow(cv2.cvtColor(img, cv2.COLOR_BGR2RGB))
plt.subplot(132), plt.axis('off'), plt.title("Harris corners")
plt.imshow(cv2.cvtColor(imgCorner[115:195, 90:200], cv2.COLOR_BGR2RGB))
plt.subplot(133), plt.axis('off'), plt.title("cornerSubPix")
plt.imshow(cv2.cvtColor(imgFineCorners[115:195, 90:200], cv2.COLOR_BGR2RGB))
plt.tight_layout()
plt.show()
【本节完】
版权声明:
youcans@xupt 原创作品,转载必须标注原文链接:(https://blog.csdn.net/youcans/article/details/125821029)
Copyright 2022 youcans, XUPT
Crated:2022-7-15238. OpenCV 中的 Harris 角点检测
239. Harris 角点检测之精确定位(cornerSubPix)
240. OpenCV 中的 Shi-Tomas 角点检测