是否有方便的方法从floodfill
操作的输出创建新的Mat?我想获得一个只有被检测为连接到种子像素的像素的垫子,并且技术上是洪水填充。
猜测我对某个种子点执行了floodFill
方法,并且在连接时只填充了总像素的1/4。我想将这些像素仅复制到一个新图像,它只代表那些1/4像素数,最可能小于原始输入图像。
无论如何,我通过一个非常长的,更高时间+ CPU消费方法做到了这一点。简而言之,我的方法是为不同的floodfill
调用提供不同的颜色,并将相同颜色的像素记录保存在单独的数据结构中,等等。
我想知道使用floodfill
创建的掩码或使用任何其他方法是否有直接且更简单的方法。
答案 0 :(得分:3)
目前还不完全清楚你需要什么。
请查看此代码,并检查croppedResult
是否符合您的要求。
#include <opencv2\opencv.hpp>
using namespace cv;
int main()
{
// Create a test image
Mat1b img(300, 200, uchar(0));
circle(img, Point(150, 200), 30, Scalar(255));
rectangle(img, Rect(30, 50, 40, 20), Scalar(255));
rectangle(img, Rect(100, 80, 30, 40), Scalar(255));
// Seed inside the circle
Point seed(160, 220);
// Setting up a mask with correct dimensions
Mat1b mask;
copyMakeBorder(img, mask, 1, 1, 1, 1, BORDER_CONSTANT, Scalar(0));
Rect roi;
uchar seedColor = 200;
floodFill(img, mask,
seed + Point(1,1), // Since the mask is larger than the filled image, a pixel (x,y) in image corresponds to the pixel (x+1,y+1) in the mask
Scalar(0), // If FLOODFILL_MASK_ONLY is set, the function does not change the image ( newVal is ignored),
&roi, // Minimum bounding rectangle of the repainted domain.
Scalar(5), // loDiff
Scalar(5), // upDiff
4 | (int(seedColor) << 8) | FLOODFILL_MASK_ONLY);
// 4-connected | with defined seedColor | use only the mask
// B/W image, where white pixels are the one set to seedColor by floodFill
Mat1b result = (mask == seedColor);
// Cropped image
roi += Point(1,1);
Mat1b croppedResult = result(roi);
return 0;
}
测试图片img
:
在mask
之后屏蔽floodFill
:
仅result
像素的屏蔽seedColor
:
裁剪蒙版croppedResult
:
<强>更新强>
// B/W image, where white pixels are the one set to seedColor by floodFill
Mat1b resultMask = (mask == seedColor);
Mat1b resultMaskWithoutBorder = resultMask(Rect(1,1,img.cols,img.rows));
Mat3b originalImage;
cvtColor(img, originalImage, COLOR_GRAY2BGR); // Probably your original image is already 3 channel
Mat3b imgMasked(img.size(), Vec3b(0,0,0));
originalImage.copyTo(imgMasked, resultMaskWithoutBorder);
Mat3b croppedResult = imgMasked(roi);
return 0;