提醒
HoughLines输出线:
问题
如何从 HoughLinesP 线条格式转换为 HoughLines 线条格式?
详细信息 我已经根据 HoughLines 输出线制作了一个算法,所以我真的不需要线段结束点信息。
HoughLines输出线:
如何从 HoughLinesP 线条格式转换为 HoughLines 线条格式?
详细信息 我已经根据 HoughLines 输出线制作了一个算法,所以我真的不需要线段结束点信息。
这是简单的几何。您需要从由两点定义的直线传递(x1, y1), (x2, y2)
到极坐标方程(rho, theta)
。
您可以在此处rho
找到从两点计算的公式(其中= (0, 0))。以及这里计算 theta 的公式。请注意,您需要计算垂直于您的点定义的线的角度。(x0, y0)
您可以twoPoints2Polar
在这个小测试代码中找到以下函数中的代码:
#include <opencv2/opencv.hpp>
cv::Vec2f twoPoints2Polar(const cv::Vec4i& line)
{
// Get points from the vector
cv::Point2f p1(line[0], line[1]);
cv::Point2f p2(line[2], line[3]);
// Compute 'rho' and 'theta'
float rho = abs(p2.x*p1.y - p2.y*p1.x) / cv::norm(p2 - p1);
float theta = -atan2((p2.x - p1.x) , (p2.y - p1.y));
// You can have a negative distance from the center
// when the angle is negative
if (theta < 0) {
rho = -rho;
}
return cv::Vec2f(rho, theta);
}
int main()
{
cv::Mat3b img(300, 300, cv::Vec3b(0,0));
// x1, y1, x2, y3
cv::Vec4i u(50, 130, 250, 80);
// Get rho, theta
cv::Vec2f v = twoPoints2Polar(u);
// Draw u in blue
cv::line(img, cv::Point(u[0], u[1]), cv::Point(u[2], u[3]), cv::Scalar(255, 0, 0), 3);
// Draw v in red
float rho = v[0];
float theta = v[1];
double a = cos(theta), b = sin(theta);
double x0 = a*rho, y0 = b*rho;
cv::Point pt1( cvRound(x0 + 1000 * (-b)),
cvRound(y0 + 1000 * (a)));
cv::Point pt2( cvRound(x0 - 1000 * (-b)),
cvRound(y0 - 1000 * (a)));
cv::line(img, pt1, pt2, cv::Scalar(0, 0, 255), 1, 8);
cv::imshow("Lines", img);
cv::waitKey();
return 0;
}