我一直在阅读有关该主题的内容,但无法以普通英语来了解HoughCircles
的用法和参数(尤其是CV_HOUGH_GRADIENT
之后的参数)。
什么是累加器阈值? 100个“票”是正确的值吗?
我可以找到并“遮盖”该学生,并通过Canny
函数进行工作,但是我无法做到这一点,我的问题是HoughCircles
函数。似乎找不到鸢尾花的圈子,我也不知道为什么。
这是我正在处理的功能:
def getRadius(area):
r = 1.0
r = math.sqrt(area/3.14)
return (r)
def getIris(frame):
grayImg = cv.CreateImage(cv.GetSize(frame), 8, 1)
cv.CvtColor(frame,grayImg,cv.CV_BGR2GRAY)
cv.Smooth(grayImg,grayImg,cv.CV_GAUSSIAN,9,9)
cv.Canny(grayImg, grayImg, 32, 2)
storage = cv.CreateMat(grayImg.width, 1, cv.CV_32FC3)
minRad = int(getRadius(pupilArea))
circles = cv.HoughCircles(grayImg, storage, cv.CV_HOUGH_GRADIENT, 2, 10,32,200,minRad, minRad*2)
cv.ShowImage("output", grayImg)
while circles:
cv.DrawContours(frame, circles, (0,0,0), (0,0,0), 2)
# this message is never shown, therefore I'm not detecting circles
print "circle!"
circles = circles.h_next()
return (frame)
最佳答案
HoughCircles
可能有点棘手,建议您浏览this thread。一堆人,包括我在内;),讨论如何使用它。关键参数是param2
,即所谓的accumulator threshold
。基本上,越高,您获得的圈子越少。并且这些圈子有较高的正确率。每个图像的最佳值都不同。我认为最好的方法是对param2
使用参数搜索。就是继续尝试值,直到满足您的条件为止(例如:有2个圆圈,或不重叠的最大圆圈数,等等)。我有一些对'param2'进行二进制搜索的代码,因此它可以快速满足条件。
另一个关键因素是预处理,尝试减少噪声并简化图像。模糊/阈值/ canny的某种组合对此很有用。
无论如何,我得到这个:
使用以下代码,从放大的图片中:
import cv
import numpy as np
def draw_circles(storage, output):
circles = np.asarray(storage)
for circle in circles:
Radius, x, y = int(circle[0][3]), int(circle[0][0]), int(circle[0][4])
cv.Circle(output, (x, y), 1, cv.CV_RGB(0, 255, 0), -1, 8, 0)
cv.Circle(output, (x, y), Radius, cv.CV_RGB(255, 0, 0), 3, 8, 0)
orig = cv.LoadImage('eyez.png')
processed = cv.LoadImage('eyez.png',cv.CV_LOAD_IMAGE_GRAYSCALE)
storage = cv.CreateMat(orig.width, 1, cv.CV_32FC3)
#use canny, as HoughCircles seems to prefer ring like circles to filled ones.
cv.Canny(processed, processed, 5, 70, 3)
#smooth to reduce noise a bit more
cv.Smooth(processed, processed, cv.CV_GAUSSIAN, 7, 7)
cv.HoughCircles(processed, storage, cv.CV_HOUGH_GRADIENT, 2, 32.0, 30, 550)
draw_circles(storage, orig)
cv.ShowImage("original with circles", orig)
cv.WaitKey(0)
更新
我意识到我有点想念您的问题!您实际上是想找到虹膜边缘。他们没有像学生那样明确定义。因此,我们需要尽可能多地帮助
HoughCircles
。我们可以这样做:然后,我们需要再次对
param2
进行参数搜索。以此替换上面代码中的“HoughCircles”行:cv.HoughCircles(processed, storage, cv.CV_HOUGH_GRADIENT, 2, 100.0, 30, 150,100,140)
得到我们这个:
这还不错。
关于python - OpenCV中用于虹膜检测的HoughCircles的正确用法/参数值是多少?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/10716464/