在 std::map() 中使用智能指针时调用隐式删除的复制构造函数

问题描述 投票:0回答:1

我试图将类对象放入 std::map 中,并且发生错误。这是代码:

classes.hpp

#ifndef CLASSMETHODNOTCALLED_CLASSES_HPP
#define CLASSMETHODNOTCALLED_CLASSES_HPP

#include "iostream"
#include "memory"

// tow classes with one pointing to the other

class Ca
{
    int m_va = 5;
public:
    Ca();
    int getVa();
};


class Cb
{
    std::unique_ptr<Ca> m_x; // a smart ptr pointing to class Ca
    int m_vb;
public:
    explicit Cb(int n);
    ~Cb();
    int getCa();
};
#endif //CLASSMETHODNOTCALLED_CLASSES_HPP

类.cpp

#include "../include/classes.hpp"
#include "memory"

// Ca
Ca::Ca()
{

}

int Ca::getVa()
{
    return m_va;
};

// Cb
Cb::Cb(int n)
{
    m_x = std::make_unique<Ca>();
    m_vb = n;
}

Cb::~Cb()
{
}

int Cb::getCa()
{
    return m_x->getVa() + m_vb; // returns 5 + 1 = 6 if works properly
}

main.cpp

#include <iostream>
#include "include/classes.hpp"
#include "map"

int main()
{
    Cb cb(1);  // instanciate Cb

    std::map<int, Cb> m;
    m.emplace(1, cb); // the line where it complains: Call to implicitly deleted copy constructor
    int i = m.at(1).getCa(); // should return 6 if working properly

//    int i = cb.getCa(); // code without using std::map() works

    std::cout << "va = " << i << std::endl;
}

我认为这是由智能指针的构造函数被显式删除引起的。我的问题是,在这种情况下如何将

cb
插入到
std::map()
中?谢谢!

c++ class pointers stdmap
1个回答
0
投票

emplace
获取参数并将它们转发给地图元素的构造函数。如果你向它传递一个
Cb
,它会复制它,如果你向它传递一个右值引用,它会移动它,如果你向它传递一个
1
,它会使用它来构造
Cb

因此,你可以

  • Cb
    添加移动构造函数并执行

    m.emplace(1,std::move(cb));
    
  • 或就地构建

    Cb

    m.emplace(1,1);
    

但是你不能要求

emplace
复制
Cb
因为
Cb
没有复制构造函数。

© www.soinside.com 2019 - 2024. All rights reserved.