不匹配运算符== (weak_ptr, const weak_ptr)

No match for operator== (weak_ptr, const weak_ptr)

我有以下数据结构:

shared_ptr<vector<shared_ptr<Drawable>>> foo;

以及具有以下功能的渲染器 class:

void addObject(weak_ptr<T> _obj) const

此函数只是将 _obj 推回

mutable vector<weak_ptr<T>> m_objects;

当我尝试以下操作时:

Renderer r;
for(auto& d: *foo) {
    r.addObject(d);
}

我在 GCC 5.1 中遇到以下错误:

error: no match for 'operator==' (operand types are 'std::weak_ptr<Drawable>' and 'const std::weak_ptr<Drawable>')|

我不明白 const 是从哪里来的。

foo 

在任何方面都不是常量,addObject 也不采用常量 weak_ptr。

编辑:我觉得我太小了。这是 addObject 的内容:

void addObject(std::weak_ptr<T> _obj) const {
        auto it = std::find(m_objects.begin(), m_objects.end(), _obj);

        if(it == m_objects.end()) {
            m_objects.push_back(_obj);
        }
    };

如果我注释掉实际的 push_back 行以外的所有内容,它就会起作用。我猜迭代器正在将自己作为迭代器分配给 const weak_ptr。如果它已经存在,我只是想避免将它添加到向量中。

weak_ptr本身没有运算符==,所以在vector中是找不到的。您应该将其转换为 shared_ptr 然后才进行比较。所以你应该在每个对象上使用锁定功能。或者不比较指针,而是按某些标准比较对象。

像那样

#include <memory>
#include <vector>
#include <iostream>
#include <algorithm>

class Object
{
};

class Objects
{
public:
    void addObject(std::weak_ptr<Object> obj)
    {
        auto pos = std::find_if
        (
            objects_.begin(), objects_.end(),
            [&obj](const auto& our_obj)
            {
                return obj.lock() == our_obj.lock();
            }
        );
        if (pos == objects_.end())
        {
            std::cout << "Object added" << std::endl;
            objects_.push_back(obj);
        }
    }
private:
    std::vector<std::weak_ptr<Object>> objects_;
};

int main()
{
    Objects obj_coll;
    std::shared_ptr<Object> obj1 = std::make_shared<Object>();
    obj_coll.addObject(obj1);
    std::shared_ptr<Object> obj2 = std::make_shared<Object>();
    obj_coll.addObject(obj2);
    obj_coll.addObject(obj1);
}

输出:

Object added
Object added

Example