我的项目对给定窗口的客户区进行位图快照,并将此数据转换为IplImage
实例。然后在灰度转换、脱粒等之后,围绕任何超过给定最小尺寸(区域体积)的轮廓绘制边界框。
然后结果显示在一个cvNamedWindow
我现在需要做的就是允许用户在这些矩形中单击以有效地“选择”这个轮廓,以便应用程序可以将子矩形提取为新图像并将其保存到磁盘。
如何在 C++ 中使用 OpenCV 来实现这一点?
如果存储边界框,则可以在单击框以及单击哪个框时检查鼠标事件处理程序中的 for 循环。创建鼠标事件的代码:
cvNamedWindow("MyWindow", CV_WINDOW_NORMAL);
cvSetMouseCallback("MyWindow", mouseEvent, 0);
imshow("MyWindow", image);
void mouseEvent(int evt, int x, int y, int flags, void *param) {
if (evt == CV_EVENT_LBUTTONDOWN) {
printf("%d %d\n", x, y);
}
}
您可能会发现自己如何检查这些坐标是否在边界框内。如评论中所述,我还建议使用 C++ API,因为一旦掌握了它,它就会容易得多。
如果其他人对如何实际提取所选图像感兴趣,
我可以这样做:
inline
IplImage* getSubImage(IplImage *image, CvRect region)
{
cvSetImageROI(image, region);
IplImage *imgRet = cvCreateImage( cvSize(region.width, region.height), image->depth, image->nChannels );
cvCopy(image, imgRet);
cvResetImageROI(image);
return imgRet;
}
inline
bool pointInRect(const int x, const int y, const CvRect& r)
{
return (
(x > r.x) && (x < (r.x + r.width)) &&
(y > r.y) && (y < (r.y + r.height))
);
}
void onMouseEvent(int evt, int x, int y, int flags, void *param)
{
if (evt == CV_EVENT_LBUTTONDOWN) {
// boundingBoxes is declared as a vector of CvRects and
// filled in the main loop using cvBoundingRect(contour)
for(UINT i = 0; i < boundingBoxes.size(); i++)
{
CvRect rect = boundingBoxes[i].rect;
if( pointInRect(x, y, rect) )
{
IplImage* img = getSubImage(imgSource, rect);
// Do whatever you want with the sub-image here
cvNamedWindow("Selection");
cvShowImage("Selection", img);
cvReleaseImage(&img);
break;
}
}
}
}