注意:由于您链接了 OpenCV 2.4.x 的教程,我最初假设您也使用 OpenCV 2.4.11 编写了代码。事实证明,您实际上使用的是 OpenCV 3.x。请记住,2.x 和 3.x 之间的 API 有细微的变化。
你叫HoughLinesP
错了。
根据文档,Python函数的签名是:
cv2.HoughLinesP(image, rho, theta, threshold[, lines[, minLineLength[, maxLineGap]]]) → lines
如果我们在您的调用中标记参数,我们会得到以下信息:
lines = cv2.HoughLinesP(cannied, rho=1, theta=np.pi / 180
, threshold=80, lines=30, minLineLength=10)
但是,正确移植到 Python 的 C++ 代码将是
lines = cv2.HoughLinesP(cannied, rho=1, theta=np.pi / 180
, threshold=80, minLineLength=30, maxLineGap=10)
类似的情况Canny
cv2.Canny(image, threshold1, threshold2[, edges[, apertureSize[, L2gradient]]]) → edges
同样,让我们标记参数:
cannied = cv2.Canny(img, threshold1=50, threshold2=200, edges=3)
但它应该是:
cannied = cv2.Canny(img, threshold1=50, threshold2=200, apertureSize=3)
但是,这对输出没有影响,因为光圈大小的默认值为 3。
最后,正如我们用Vasanth和namatoj确定的那样,生成的输出格式有所不同cv2.HoughLinesP
:
- 在 2.4 中看起来像
[[[x1, y1, x2, y2], [...], ..., [...]]]
- 在 3.x 中看起来像
[[[x1, y1, x2, y2]], [[...]], ..., [[...]]]
我在两个版本中添加了一个简短的get_lines
函数来将线条转换为一致的布局 ( )。[[x1, y1, x2, y2], [...], ..., [...]]
适用于两个 OpenCV 版本的完整脚本:
import cv2
import numpy as np
def get_lines(lines_in):
if cv2.__version__ < '3.0':
return lines_in[0]
return [l[0] for l in lines]
img = cv2.imread('building.jpg')
img_gray = gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
cannied = cv2.Canny(img_gray, threshold1=50, threshold2=200, apertureSize=3)
lines = cv2.HoughLinesP(cannied, rho=1, theta=np.pi / 180, threshold=80, minLineLength=30, maxLineGap=10)
for line in get_lines(lines):
leftx, boty, rightx, topy = line
cv2.line(img, (leftx, boty), (rightx,topy), (255, 255, 0), 2)
cv2.imwrite('lines.png',img)
cv2.imwrite('canniedHouse.png',cannied)
cv2.waitKey(0)
cv2.destroyAllWindows()