32

我很难在 Python 中使用 HoughLinesP 和 OpenCV 在此图像中找到棋盘上的线条。

为了理解 HoughLinesP 的参数,我想出了以下代码:

import numpy as np
import cv2
from matplotlib import pyplot as plt
from matplotlib import image as image

I = image.imread('chess.jpg') 
G = cv2.cvtColor(I, cv2.COLOR_BGR2GRAY)

# Canny Edge Detection:
Threshold1 = 150;
Threshold2 = 350;
FilterSize = 5
E = cv2.Canny(G, Threshold1, Threshold2, FilterSize)

Rres = 1
Thetares = 1*np.pi/180
Threshold = 1
minLineLength = 1
maxLineGap = 100
lines = cv2.HoughLinesP(E,Rres,Thetares,Threshold,minLineLength,maxLineGap)
N = lines.shape[0]
for i in range(N):
    x1 = lines[i][0][0]
    y1 = lines[i][0][1]    
    x2 = lines[i][0][2]
    y2 = lines[i][0][3]    
    cv2.line(I,(x1,y1),(x2,y2),(255,0,0),2)

plt.figure(),plt.imshow(I),plt.title('Hough Lines'),plt.axis('off')
plt.show()

我遇到的问题是这只拿起一行。如果我将 maxLineGap 减少到 1,它会增加数千个。

我理解为什么会这样,但是我如何选择一组合适的参数来合并所有这些共线线?我错过了什么吗?

我想保持代码简单,因为我将它用作此函数的示例。

提前感谢您的帮助!

更新:这与 HoughLines 完美配合。

而且似乎没有边缘检测问题,因为 Canny 工作得很好。

但是,我仍然需要让 HoughLinesP 工作。有任何想法吗??

图片在这里:结果

4

4 回答 4

80

好的,我终于找到了问题,并认为我会为其他因此而疯狂的人分享解决方案。问题是在 HoughLinesP 函数中,有一个额外的参数“lines”,这是多余的,因为函数的输出是相同的:

cv2.HoughLinesP(image, rho, theta, threshold[, lines [, minLineLength[, maxLineGap]]])

这会导致参数出现问题,因为它们以错误的顺序读取。为了避免与参数的顺序混淆,最简单的解决方案是在函数内指定它们,如下所示:

lines = cv2.HoughLinesP(E,rho = 1,theta = 1*np.pi/180,threshold = 100,minLineLength = 100,maxLineGap = 50)

这完全解决了我的问题,我希望它会帮助其他人。

于 2016-03-04T12:03:13.050 回答
3

cv2.HoughLinesP(image,rho, theta, threshold, np.array ([ ]), minLineLength=xx, maxLineGap=xx)

这也将起作用。

于 2018-09-02T17:20:54.343 回答
3
  • 边缘:边缘检测器的输出。
  • lines : 一个向量,用于存储线的起点和终点的坐标。
  • rho : 分辨率参数 \rho 以像素为单位。
  • theta : 参数 \theta 的分辨率,以弧度为单位。
  • 阈值:检测线的最小交叉点数。

示例应用程序

import cv2
import numpy as np

img = cv2.imread('sudoku.png', cv2.IMREAD_COLOR)
# Convert the image to gray-scale
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
# Find the edges in the image using canny detector
edges = cv2.Canny(gray, 50, 200)
# Detect points that form a line
lines = cv2.HoughLinesP(edges, 1, np.pi/180, 100, minLineLength=10, maxLineGap=250)
# Draw lines on the image
for line in lines:
    x1, y1, x2, y2 = line[0]
    cv2.line(img, (x1, y1), (x2, y2), (255, 0, 0), 3)

# Show result
img = cv2.resize(img, dsize=(600, 600))
cv2.imshow("Result Image", img)

if cv2.waitKey(0) & 0xff == 27:  
    cv2.destroyAllWindows()

在此处输入图像描述

于 2020-07-22T07:04:44.390 回答
0

这不是HoughLinesP问题,使用该方法只会获取图片中检测到的所有线条并返回给您。

为了能够获得您想要的线条,您需要在使用该方法之前对图像进行平滑处理。但是,如果您平滑太多,则 HoughLinesP 将无法检测到任何边缘。

您可以在此处了解有关 OpenCV 平滑效果的更多信息。

于 2016-02-25T08:00:20.170 回答