我在 OpenCV(C++ API)中对平滑和采样轮廓有一个问题。假设我已经从中检索到点序列cv::findContours
(例如应用于此图像:
最后,我想要
- 使用不同的内核平滑一系列点。
- 使用不同类型的插值调整序列大小。
平滑后,我希望得到如下结果:
我还考虑过在 a 中绘制我的轮廓cv::Mat
,过滤 Mat(使用模糊或形态学操作)并重新找到轮廓,但速度很慢且次优。所以,理想情况下,我可以只使用点序列来完成这项工作。
我阅读了一些关于它的帖子,并天真地认为我可以简单地将 a std::vector
(of cv::Point
) 转换为 a cv::Mat
,然后像 blur/resize 这样的 OpenCV 函数将为我完成这项工作......但他们没有。
这是我尝试过的:
int main( int argc, char** argv ){
cv::Mat conv,ori;
ori=cv::imread(argv[1]);
ori.copyTo(conv);
cv::cvtColor(ori,ori,CV_BGR2GRAY);
std::vector<std::vector<cv::Point> > contours;
std::vector<cv::Vec4i > hierarchy;
cv::findContours(ori, contours,hierarchy, CV_RETR_CCOMP, CV_CHAIN_APPROX_NONE);
for(int k=0;k<100;k += 2){
cv::Mat smoothCont;
smoothCont = cv::Mat(contours[0]);
std::cout<<smoothCont.rows<<"\t"<<smoothCont.cols<<std::endl;
/* Try smoothing: no modification of the array*/
// cv::GaussianBlur(smoothCont, smoothCont, cv::Size(k+1,1),k);
/* Try sampling: "Assertion failed (func != 0) in resize"*/
// cv::resize(smoothCont,smoothCont,cv::Size(0,0),1,1);
std::vector<std::vector<cv::Point> > v(1);
smoothCont.copyTo(v[0]);
cv::drawContours(conv,v,0,cv::Scalar(255,0,0),2,CV_AA);
std::cout<<k<<std::endl;
cv::imshow("conv", conv);
cv::waitKey();
}
return 1;
}
谁能解释如何做到这一点?
此外,由于我可能使用更小的轮廓,我想知道这种方法如何处理边界效果(例如,在平滑时,由于轮廓是圆形的,因此必须使用序列的最后一个元素来计算第一个元素...)
非常感谢您的建议,
编辑:
我也尝试过cv::approxPolyDP()
,但是如您所见,它倾向于保留极值点(我想删除):
ε=0
ε=6
ε=12
ε=24
编辑 2:
正如 Ben 所建议的,似乎cv::GaussianBlur()
不支持,但支持cv::blur()
。它看起来非常接近我的预期。这是我使用它的结果:
k=13
k=53
k=103
为了绕过边界效应,我做了:
cv::copyMakeBorder(smoothCont,smoothCont, (k-1)/2,(k-1)/2 ,0, 0, cv::BORDER_WRAP);
cv::blur(smoothCont, result, cv::Size(1,k),cv::Point(-1,-1));
result.rowRange(cv::Range((k-1)/2,1+result.rows-(k-1)/2)).copyTo(v[0]);
我仍在寻找对我的轮廓进行插值/采样的解决方案。