在使用OpenCV进行检测任务时,我一直遇到合并重叠边界框的问题;也就是说,基本上找到两个重叠边界框的并集周围的边界框.当由于某种原因,感兴趣的对象被破碎成许多边界框而不是一个包罗万象的边框时,这在对象检测中出现了很多.
StackOverflow上有几个答案可用于算法解决方案和有用的外部库(例如this,this,this),还有OpenCV提供的groupRectangles
功能(以及一连串相关问题/错误:this,this等).
我似乎发现上述解决方案对于我正在尝试执行的任务来说有点过于复杂.许多算法解决方案从数学角度(更像是思想实验)解决了这个问题,同时执行了像rect1这样的操作.当矩形的数量很高时,rect2可能变得非常慢(处理所有事情的都是O(N ^ 2))而且groupRectangles有一些使它只是部分有效的怪癖.所以我想出了一个实际上非常有效的解决方案.我想我会在下面与其他需要快速解决这个常见问题的人分享.
随意评论和批评它.
最佳答案
void mergeOverlappingBoxes(std::vector<cv::Rect> &inputBoxes, cv::Mat &image, std::vector<cv::Rect> &outputBoxes)
{
cv::Mat mask = cv::Mat::zeros(image.size(), CV_8UC1); // Mask of original image
cv::Size scaleFactor(10,10); // To expand rectangles, i.e. increase sensitivity to nearby rectangles. Doesn't have to be (10,10)--can be anything
for (int i = 0; i < inputBoxes.size(); i++)
{
cv::Rect box = inputBoxes.at(i) + scaleFactor;
cv::rectangle(mask, box, cv::Scalar(255), CV_FILLED); // Draw filled bounding boxes on mask
}
std::vector<std::vector<cv::Point>> contours;
// Find contours in mask
// If bounding boxes overlap, they will be joined by this function call
cv::findContours(mask, contours, CV_RETR_EXTERNAL, CV_CHAIN_APPROX_SIMPLE);
for (int j = 0; j < contours.size(); j++)
{
outputBoxes.push_back(cv::boundingRect(contours.at(j)));
}
}