36

私は次のコードに取り組んでいます:

#include <iostream>
#include <opencv2/core/core.hpp>
#include <opencv2/highgui/highgui.hpp>
#include <opencv2/imgproc/imgproc.hpp>

using namespace std;
using namespace cv;

Mat src, grey;
int thresh = 10;

const char* windowName = "Contours";

void detectContours(int,void*);

int main()
{
    src = imread("C:/Users/Public/Pictures/Sample Pictures/Penguins.jpg");

    //Convert to grey scale
    cvtColor(src,grey,CV_BGR2GRAY);

    //Remove the noise
    cv::GaussianBlur(grey,grey,Size(3,3),0);

    //Create the window
    namedWindow(windowName);

    //Display the original image
    namedWindow("Original");
    imshow("Original",src);

    //Create the trackbar
    cv::createTrackbar("Thresholding",windowName,&thresh,255,detectContours);

    detectContours(0,0);
    waitKey(0);
    return 0;

}

void detectContours(int,void*)
{
    Mat canny_output,drawing;

    vector<vector<Point>> contours;
    vector<Vec4i>heirachy;

    //Detect edges using canny
    cv::Canny(grey,canny_output,thresh,2*thresh);

    namedWindow("Canny");
    imshow("Canny",canny_output);

    //Find contours
    cv::findContours(canny_output,contours,heirachy,CV_RETR_TREE,CV_CHAIN_APPROX_SIMPLE,Point(0,0));

    //Setup the output into black
    drawing = Mat::zeros(canny_output.size(),CV_8UC3);



    //Draw contours
    for(int i=0;i<contours.size();i++)
    {
        cv::drawContours(drawing,contours,i,Scalar(255,255,255),1,8,heirachy,0,Point());
    }

    imshow(windowName,drawing);

}

理論的には、Contours曲線を検出することを意味します。Edge detectionエッジを検出することを意味します。上記のコードでは、 を使用してエッジ検出を行い、 を使用Cannyして曲線検出を行いましたfindContours()。以下は結果の画像です

キャニー画像

ここに画像の説明を入力

輪郭画像

ここに画像の説明を入力

ですから、ご覧のとおり、違いはありません。では、これら2つの実際の違いは何ですか? OpenCV のチュートリアルでは、コードのみが示されます。「輪郭」とは何かについての説明を見つけましたが、この問題に対処していません。

4

4 に答える 4

5

輪郭は実際には、エッジを「単に」検出するだけではありません。このアルゴリズムは実際に画像のエッジを見つけますが、それらを階層化します。これは、画像内で検出されたオブジェクトの外側の境界線をリクエストできることを意味します。エッジのみをチェックする場合、そのようなことは (直接) 可能ではありません。

ドキュメントで読むことができるように、輪郭の検出は主にオブジェクト認識に使用されますが、キャニーエッジ検出器はより「グローバル」な操作です。輪郭アルゴリズムがある種の巧妙なエッジ検出を使用していても、私は驚かないでしょう。

于 2013-06-14T08:14:15.470 に答える