2

我在 python 中有一个代码,我正在将它移植到 c++ 中。我drawContours在 OpenCV c++ 中遇到了一个奇怪的问题。

self.contours[i] = cv2.convexHull(self.contours[i])
cv2.drawContours(self.segments[object], [self.contours[i]], 0, 255, -1)

这是python中的函数调用,厚度参数的值-1用于填充轮廓,结果看起来像

好像

我在 C++ 中做的完全一样,

cv::convexHull(cv::Mat(contour), hull);
cv::drawContours(this->objectSegments[currentObject], cv::Mat(hull), -1, 255, -1);

但这是生成的图像:

图片

(请仔细convexhull看点,这是不容易看到的)。我只得到点而不是填充的多边形。我也试过用fillPolylike,

cv::fillPoly(this->objectSegments[currentObject],cv::Mat(hull),255);

但没有帮助。请帮助我解决问题。我确信我错过了一些非常微不足道但无法发现的东西。

4

1 回答 1

1

该函数drawContours()期望接收一系列轮廓,每个轮廓都是一个“点向量”。

cv::Mat(hull)您用作参数的表达式以不正确的格式返回矩阵,每个点都被视为单独的轮廓 - 这就是您只看到几个像素的原因。

根据cv::Mat::Mat(const std::vector<_Tp>& vec)传递给构造函数的向量的文档,使用方式如下:

STL 向量,其元素构成矩阵。矩阵只有一列,行数等于向量元素的数量。

考虑到这一点,您有两个选择:

  • 转置您创建的矩阵(使用cv::Mat::t()
  • 只需直接使用 Points 的向量

以下示例显示了如何直接使用向量:

cv::Mat output_image; // Work image

typedef std::vector<cv::Point> point_vector;
typedef std::vector<point_vector> contour_vector;

// Create with 1 "contour" for our convex hull
contour_vector hulls(1);

// Initialize the contour with the convex hull points
cv::convexHull(cv::Mat(contour), hulls[0]);

// And draw that single contour, filled
cv::drawContours(output_image, hulls, 0, 255, -1);
于 2016-05-17T01:16:11.100 回答