4

我在这里读到std::map operator[] 如果密钥不存在则创建一个对象!

首先,我可以知道在哪里可以找到此声明的参考资料吗?(尽管我知道这是真的)

接下来,想象以下代码片段:

#include <iostream>
#include <vector>
#include<map>

class Value {
//..
    int some_member; //is used for any purpose that you like
    std::vector<int> some_container;
public:
    Value(int some_member_) :
            some_member(some_member_) {
        std::cout << "Hello from the one-argument constructor" << std::endl;
    }
    Value() {
        std::cout << "Hello from the no argument constructor" << std::endl;
    }
    void add(int v) {
        some_container.push_back(v);
    }
    int getContainerSize()
    {
        return some_container.size();
    }

//...
};

//and somewhere in the code:

class A {
public:
    std::map<int, Value> myMap;

    void some_other_add(int j, int k) {
        myMap[j].add(k);
    }
    int getsize(int j)
    {
        return myMap[j].getContainerSize();
    }

};
//and the program actually works
int main() {
    A a;
    std::cout << "Size of container in key 2 = " << a.getsize(2) << std::endl;
    a.some_other_add(2, 300);
    std::cout << "New Size of container in key 2 = " << a.getsize(2) << std::endl;

    return 1;
}

输出:

Hello from the no argument constructor
Size of container in key 2 = 0
New Size of container in key 2 = 1

我可以从上面的输出中看到调用了无参数构造函数。

我的问题是:有没有办法调用 map 的 Value(s) 的单参数构造函数?

谢谢你

4

2 回答 2

7

我可以知道在哪里可以找到此声明的参考资料吗?

这就是 C++11 标准的要求。根据第 23.4.4.3 段:

T& operator[](const key_type& x);

1效果:如果地图中没有等效的键x,则插入value_type(x, T())到地图中。

[...]

T& operator[](key_type&& x);

5效果:如果地图中没有等效的键x,则插入value_type(std::move(x), T())到地图中。

关于第二个问题:

有没有办法调用 map 的 Value(s) 的单参数构造函数?

您可以在 C++03 中执行此操作:

void some_other_add(int j, int k) {
    myMap.insert(std::make_pair(j, Value(k)));
}

并使用emplace()C++11 中的成员函数:

myMap.emplace(j, k);
于 2013-05-05T09:00:34.257 回答
4

您可以std::map<…&gt;::operator[]cppreference.com找到有用的描述。

我假设您想使用非默认构造函数有条件地添加一个值,即,当映射中不存在相应的键时。

C++03

std::map<int, Value>::iterator i = myMap.find(j);
if (i == myMap.end())
    i = myMap.insert(std::map<int, Value>::value_type(j, 123)).first;
i->add(k);

C++11

auto i = myMap.find(j);
if (i == myMap.end())
    i = myMap.emplace(j, 123).first;
i->add(k);

在这两种情况下,新插入Value的 s 都会有 some_member == 123。

于 2013-05-05T09:13:35.460 回答