如何在std :: map中插入自定义对象

时间:2013-03-20 18:46:17

标签: c++

我正在尝试插入对象的引用,但是我遇到了大量错误。我需要在自定义对象中修改哪些内容才能成功插入?

代码如下所示:

#include <map>
#include <iostream>
#include <string>

using namespace std;

class A
{
public:
    A()
    {
            cout << "default constructor" << endl;
    }

    A(A & a)
    {
            cout << "copy constructor" << endl;
    }

    A & operator=(A & a)
    {
            cout << "assignment operator" << endl;
            return *this;
    }

    ~A()
    {
            cout << "destructor" << endl;
    }
};

int main()
{
    map<string, A&> m1;
    A a;
    m1["a"] = a;
    return 0;
}

更新:

  1. 可以使用map<string, A&>

  2. 等参考创建地图
  3. 错误在于[]运算符的使用。通过进行以下更改,代码可以正常工作

    typedef map<string, A&> mymap;
    
    int main()
    {
       mymap m1;
       A a;
       cout << &a << endl;
       m1.insert(make_pair<string, A&>("a", a));
       mymap::iterator it = m1.find("a");
       A &b = (*it).second;
       cout << &b << endl; // same memory address as a
       return 0;
    }
    

3 个答案:

答案 0 :(得分:3)

您无法在map中存储引用。改为使用指针。

替换:

map<string, A&> m1;

使用:

map<string, A*> m1;

或者更好(感谢WhozCraig!):

map<string, shared_ptr<A> > m1;

答案 1 :(得分:0)

您尝试拥有仅存储引用的map。这有点不可能,因为引用通常必须在引入概念时用引用初始化

当你使用m1["a"]时,该函数本身必须在为你赋值之前默认构造和item就位(你不能默认构造一个引用)。如果你试图避免复制,你可以使用emplace函数来使对象构建就地,或者只有map<std::string, A>并让你的生活更轻松。

如果您不需要复制,也可以尝试使用存储指针的map<std::string, A*>。但是,您将负责自己清理内存(除非您使用std::unique_ptr或其中的朋友)。

答案 2 :(得分:0)

您不能将引用用作容器的键值或值类型。您需要使用指针,最好是像std::shared_ptr这样的智能指针,或者,如果这不是太贵,您可以存储对象的副本。这里有一些选择:

map<string,A> mc; // stores copies of A

map<string,A*> mp; // you need to take care of memory management - avoid that

map<string,shared_ptr<A>> msp; // prefered

使用后者,你可以创建和插入这样的元素:

msp["a"] = make_shared<A>();

希望它有助于开始。