我想检测感兴趣区域内的线条。我的输出图像应显示原始图像和所选ROI中检测到的线条。到目前为止,在原始图像中找到线条或选择ROI并不是问题,但是仅在ROI内部查找线条是行不通的。我的MWE读取图像,将其转换为灰度,并让我选择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)
错误:OpenCV(3.4.1) C:\ Miniconda3 \ conda-bld \ opencv-suite_1533128839831 \ work \ modules \ imgproc \ src \ hough.cpp:441: 错误:(-215)image.type()==(((0)&((1 << 3)-1))+((((1)-1)<< 3))在函数cv :: HoughLinesProbabilistic
中
我的假设是roi
的格式不正确。我在Spyder 3.2.8中使用Python 3.6。
感谢您的帮助!
答案 0 :(得分:1)
函数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
框。点x1
,x2
,y1
和y2
是裁剪图像中的像素位置,而不是完整图像。要正确绘制图像,您只需在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)