如何在Mat

时间:2016-08-09 17:57:21

标签: opencv math image-processing matrix computer-vision

我想在特定的地方找到具有findNonZero功能的非零像素,而不是整个Mat。

在下面发布的图片中,我找到了具有findContours功能的白色斑块的特征。之后,我使用bitwise_not函数反转下面发布的图像,我需要为每个白色补丁分别找到这些黑色图案的像素位置。 我该怎么做?对于每个白色补丁,都应该有一个带有黑色像素坐标的Mat或数组。

enter image description here

我目前的方法是找到白色斑块的轮廓并将它们全部绘制成单独的垫子。然后,找到带有findNonZero的白色斑块白色像素的坐标,将图像与黑色图案混合,并用于循环检查白色的像素现在是否为黑色。将这些像素的坐标放在List中,然后再做其他事情......但是这种方法既不聪明又简单,也不高效。

是否有可能更简单,更有效率地做到这一点?就像能够在轮廓内找到nonZero像素一样?

1 个答案:

答案 0 :(得分:2)

嗨这是一个示例实现!请用这个!

void findNonZero( InputArray _src, InputArray _Mask, OutputArray _idx )
{
    Mat src = _src.getMat();
    Mat msk = _Mask.getMat();
    CV_Assert( src.type() == CV_8UC1 );
    CV_Assert( src.size() == msk.size());

    int n = countNonZero(src);
    if( n == 0 )
    {
        _idx.release();
        return;
    }
    if( _idx.kind() == _InputArray::MAT && !_idx.getMatRef().isContinuous() )
        _idx.release();
    _idx.create(n, 1, CV_32SC2);
    Mat idx = _idx.getMat();
    CV_Assert(idx.isContinuous());
    Point* idx_ptr = idx.ptr<Point>();

    for( int i = 0; i < src.rows; i++ )
    {
        const uchar* bin_ptr = src.ptr(i);
        const uchar* msk_ptr = msk .ptr(i);
        for( int j = 0; j < src.cols; j++ )
            if( bin_ptr[j] && msk_ptr[j])
                *idx_ptr++ = Point(j, i);
    }
}

int _tmain(int argc, _TCHAR* argv[])
{   
    string sFileNameEx="F:\\Balaji\\Image Samples\\Test.jpg";
    size_t lastindex = sFileNameEx.find_last_of("."); 
    String sFileName = sFileNameEx.substr(0, lastindex); 
    bool bSaveImages=true;

    Mat mSrc_Gray,mSrc_Mask,mResult_Bgr;

    mSrc_Gray= imread(sFileNameEx,0);
    mSrc_Mask= Mat(mSrc_Gray.size(),CV_8UC1,Scalar(0));
    cvtColor(mSrc_Gray,mResult_Bgr,COLOR_GRAY2BGR);


    if(mSrc_Gray.empty())
    {
        cout<<"[Error]! Invalid Input Image";
        return 0;
    }

    threshold(mSrc_Gray,mSrc_Gray,10,255,THRESH_BINARY);
    imshow("mSrc_Gray",mSrc_Gray);

enter image description here

    vector<vector<Point> > contours;
    vector<Vec4i> hierarchy;
    /// Find contours
    findContours( mSrc_Gray.clone(), contours, hierarchy, RETR_EXTERNAL, CHAIN_APPROX_SIMPLE, Point(0, 0) );

    for( size_t i = 0; i < contours.size(); i++ )
    { 
        if(contourArea(contours[i])>500)
        {
            drawContours(mSrc_Mask,contours,i,Scalar(255),-1);
        }       
    }

    //May be further Filtering like erode needed? 
    imshow("mSrc_Mask",mSrc_Mask);

enter image description here

    vector<Point> locations;   // output, locations of non-zero pixels

    findNonZero(mSrc_Gray,mSrc_Mask,locations);

    for( size_t i = 0; i < locations.size(); i++ )
    {
        circle(mResult_Bgr,locations[i],1,Scalar(0,255,0),1);
    }
    imshow("mResult_Bgr",mResult_Bgr);

enter image description here

    waitKey(0);
    return 0;
}