地图中的不同键类型

时间:2017-04-01 20:55:17

标签: c++ boost boost-any

对于特定要求我想要一个带有不同类型键的地图。类似于提升:任何。 (我有一个旧的gcc版本)

map<any_type,string> aMap;

//in runtime :
aMap[1] = "aaa";
aMap["myKey"] = "bbb";

这是使用boost的可能吗?

提前谢谢

2 个答案:

答案 0 :(得分:2)

如果您愿意使用boost::variant

<强> Live On Coliru

#include <boost/variant.hpp>
#include <iostream>
#include <map>

using Key = boost::variant<int, std::string>;
using Map = std::map<Key, std::string>;

int main()
{
    Map m;

    m[1] = "aaa";
    m["myKey"] = "bbb";
}

键序/方程自动出现。请注意,此方法中"1"1不同的键。

答案 1 :(得分:2)

如果您不愿意使用boost变体,则可以破解自己的密钥类型。

你可以使用一个有区别的联合,或者去低技术,只需使用一对std::string和int:

<强> Live On Coliru

#include <map>
#include <tuple>
#include <iostream>

struct Key : std::pair<int, std::string> {
    using base = std::pair<int, std::string>;
    Key(int i) : base(i, "") {}
    Key(char const* s) : base(0, s) {}
    Key(std::string const& s) : base(0, s) {}

    operator int() const         { return base::first; }
    operator std::string() const { return base::second; }
    friend bool operator< (Key const& a, Key const& b) { return std::tie(a.first, a.second) <  std::tie(b.first, b.second); }
    friend bool operator==(Key const& a, Key const& b) { return std::tie(a.first, a.second) == std::tie(b.first, b.second); }
    friend std::ostream& operator<<(std::ostream& os, Key const& k) {
        return os << "(" << k.first << ",'" << k.second << "')";
    }
};

using Map = std::map<Key, std::string>;

int main()
{
    Map m;

    m[1] = "aaa";
    m["myKey"] = "bbb";

    for (auto& pair : m)
        std::cout << pair.first << " -> " << pair.second << "\n";
}

打印:

(0,'myKey') -> bbb
(1,'') -> aaa