OpenCV Python:仅在 ROI 中检测线条

OpenCV Python: Detecting lines only in ROI

我想检测感兴趣区域内的线条。我的输出图像应该在 selected ROI 中显示原始图像和检测到的线条。到目前为止,在原始图像或 select ROI 中查找线条不是问题,但仅在 ROI 内查找线条不起作用。我的 MWE 读取图像,将其转换为灰度并让我 select 获得 ROI,但在 HoughLinesP 想要读取 roi.

时给出错误
import cv2
import numpy as np

img = cv2.imread('example.jpg',1)
gray = cv2.cvtColor(img ,cv2.COLOR_BGR2GRAY)

# Select ROI
fromCenter = False
roi = cv2.selectROI(gray, fromCenter)

# Crop ROI
roi = img[int(roi[1]):int(roi[1]+roi[3]), int(roi[0]):int(roi[0]+roi[2])]

# Find lines
minLineLength = 100
maxLineGap = 30
lines = cv2.HoughLinesP(roi,1,np.pi/180,100,minLineLength,maxLineGap)
for x in range(0, len(lines)):
    for x1,y1,x2,y2 in lines[x]:
        cv2.line(img,(x1,y1),(x2,y2),(237,149,100),2)

cv2.imshow('Image',img)
cv2.waitKey(0) & 0xFF

cv2.destroyAllWindows()

控制台显示:

lines = cv2.HoughLinesP(roi,1,np.pi/180,100,minLineLength,maxLineGap)

error: OpenCV(3.4.1) C:\Miniconda3\conda-bld\opencv-suite_1533128839831\work\modules\imgproc\src\hough.cpp:441: error: (-215) image.type() == (((0) & ((1 << 3) - 1)) + (((1)-1) << 3)) in function cv::HoughLinesProbabilistic

我的假设是 roi 没有正确的格式。我在 Spyder 3.2.8 中使用 Python 3.6。 感谢您的帮助!

函数 cv2.HoughLinesP 需要单通道图像,因此可以从灰度图像中截取裁剪区域并消除错误:

# Crop the image
roi = list(map(int, roi)) # Convert to int for simplicity
cropped = gray[roi[1]:roi[1]+roi[3], roi[0]:roi[0]+roi[2]]

请注意,我将输出名称从 roi 更改为 cropped,这是因为您仍然需要 roi 框。点 x1x2y1y2 是裁剪图像中的像素位置,而不是完整图像。要正确绘制图像,只需添加 roi 的左上角像素位置即可。 这是带有相关编辑的 for 循环:

# Find lines
minLineLength = 100
maxLineGap = 30
lines = cv2.HoughLinesP(cropped,1,np.pi/180,100,minLineLength,maxLineGap)
for x in range(0, len(lines)):
    for x1,y1,x2,y2 in lines[x]:
        cv2.line(img,(x1+roi[0],y1+roi[1]),(x2+roi[0],y2+roi[1]),(237,149,100),2)