如果对象的类已禁用复制构造函数和禁用的复制运算符,是否可以在地图中插入对象?移动语义在这里有用吗?
#include <map>
class T {
public:
T(int v): x(v) {};
private:
T(const T &other); // disabled!
T &operator=(const T &other); // disabled!
int x;
};
int main() {
std::map<int, T> m;
m[42] = T(24); // compilation error here!
}
编辑我还不完全清楚。对象很大,所以我不想制作不必要的副本。但是我可以修改类的代码(也许我需要实现移动语义?)而不是用户代码(示例中的主函数)。
答案 0 :(得分:4)
使用安置语法:
m.emplace(std::piecewise_construct,
std::forward_as_tuple(42), std::forward_as_tuple(24));
// ^^ ^^
// int(42) T(24)
或者,在C ++ 17中,使用try_emplace
:
m.try_emplace(42, 24);
答案 1 :(得分:1)
这可能就是你要找的东西:
class T {
public:
T(){};
T(int v): x(v) {};
T(const T &other) = delete;
T(T&& other) {x = other.x; std::cout << "move ctor\n";}
T &operator=(const T &other) = delete;
T& operator=(T&& other) {x = other.x; std::cout << "move assigment\n";}
private:
int x;
};
int main() {
std::map<int, T> m;
m.insert(std::make_pair(42, T(24)));
m[44] = T(25);
}
答案 2 :(得分:0)
您可以插入指针:
public:
T(int v) : x(v) {};
int getX(){ return this->x; }
private:
T(const T &other); // disabled!
T &operator=(const T &other); // disabled!
int x;
};
int main()
{
std::map<int, T*> m;
m[42] = new T(24); // no compilation error here!
std::cout << m[42]->getX() << std::endl; // prints out 24
return 0;
}