unordered_map,引用为值

时间:2014-07-13 02:29:45

标签: c++ c++11 stl reference unordered-map

使用值类型为引用C ++ 11的unordered_map是否合法?

例如std::unordered_map<std::string, MyClass&>

我已经设法使用VS2013进行编译但是我不确定它是否应该因为它导致一些奇怪的运行时错误。例如,尝试vector subscript out of range元素时会抛出erase

一些谷歌搜索结果发现你没有引用的向量,但我找不到任何关于unordered_map的内容。

更新

进一步的实验表明,vector subscript out of range与引用的unordered_map无关,因为它是我代码中的错误。

1 个答案:

答案 0 :(得分:6)

mapunordered_map可以使用引用,这里是一个有效的example

#include <iostream>
#include <unordered_map>

using UMap = std::unordered_map<int,int&>;

int main() {
    int a{1}, b{2}, c{3};
    UMap foo { {1,a},{2,b},{3,c} };

    // insertion and deletion are fine
    foo.insert( { 4, b } );
    foo.emplace( 5, d );
    foo.erase( 4 );
    foo.erase( 5 );

    // display b, use find as operator[] need DefaultConstructible
    std::cout << foo.find(2)->second << std::endl;

    // update b and show that the map really map on it
    b = 42;
    std::cout << foo.find(2)->second << std::endl;

    // copy is fine
    UMap bar = foo; // default construct of bar then operator= is fine too
    std::cout << bar.find(2)->second << std::endl;
}