从点创建Set时出错

时间:2014-01-06 09:53:05

标签: c++ opencv compiler-errors set

我想拥有一组图像的所有像素坐标。不幸的是我收到以下错误消息:

“错误C2678:二进制'<' :没有找到哪个运算符采用'const cv :: Point'类型的左手操作数(或者没有可接受的转换)“

Mat img;
img = imread( "[...]\\picture.jpg", 1 );

set<Point> pointset;
for( int x = 0 ; x < img.cols ; x++)
{
    for (int y = 0 ; y < img.rows ; y++)
    {
        pointset.insert(Point(x,y));
    }
}

我怀疑进入集合的每个类型都必须提供比较函数,而cv :: Point无法做到这一点。不幸的是,我是C ++和OpenCV的新手,不知道如何检查我的怀疑是否属实。

1 个答案:

答案 0 :(得分:2)

长篇大论:如果你想使用一组积分,你需要为积分提供比较操作:

struct comparePoints {
    bool operator()(const Point & a, const Point & b) {
        return ( a.x<b.x && a.y<b.y );
    }
};

int main()
{
    Mat img = imread( "clusters.png", 1 );

    set<Point,comparePoints> pointset;
    for( int x = 0 ; x < img.cols ; x++)
    {
        for (int y = 0 ; y < img.rows ; y++)
        {
            pointset.insert(Point(x,y));
        }
    }
    return 0;
}

另外,如果有重复点可以避免,你只需要一套。不是这样的

因此,使用矢量可能更容易:

int main()
{
    Mat img = imread( "clusters.png", 1 );

    vector<Point> points;
    for( int x = 0 ; x < img.cols ; x++)
    {
        for (int y = 0 ; y < img.rows ; y++)
        {
            points.push_back(Point(x,y));
        }
    }
    return 0;
}