为不区分大小写的映射定义模板

Defining a template for case-insensitive maps

本文关键字:定义 映射 不区 大小写      更新时间:2023-10-16

目标:一个带有字符串键的std映射模板+区分大小写的可选真/假参数

它按如下方式工作,但结果很糟糕——一定有更好的方法!

//step 1: templated typdefs for case-insensitive (ci), case-sensitive (cs) maps
template <typename T> struct ci_map { typedef std::map<std::string, T, ci_compare_string> type; }; //ci version
template <typename T> struct cs_map { typedef std::map<std::string, T                   > type; }; //cs version
//step 2: a template specialized to select on the of the two versions
template<typename T, bool ci> struct map_choice           {                                }; //empty decl
template<typename T>          struct map_choice<T, true>  { typedef ci_map<T> map_version; }; //specialize ci = true
template<typename T>          struct map_choice<T, false> { typedef cs_map<T> map_version; }; //specialize ci = false
//final step, but VS 2008 compile error: 'map_choice<T,ci>::map_version::type': dependent name is not a type
template<typename T, bool ci=true> 
struct mymap { typedef map_choice<T, ci>::map_version::type type; };
//too bad ... usage would have been concise ==>  "mymap<int>::type  mymap_instance;"
//final step: works, but ugly
template<typename T, bool ci=true> 
struct mymap { typedef map_choice<T, ci> type; };
//usage (ugly !!!)
mymap<int>::type::map_version::type    mymap_instance;  //ouch

有什么改进的建议吗?

这个怎么样:

template <bool ci>
struct Comparator
{
  typedef ci_compare_string type;
};
template<>
struct Comparator<false>
{
  typedef std::less<std::string> type;
};

template <typename T, bool ci = true>
struct mymap
{
  typedef std::map<std::string, T, typename Comparator<ci>::type> type;
};
template<typename T, bool ci=true> 
struct mymap { typedef typename map_choice<T, ci>::map_version::type type; };

会很好用的。阅读:我必须把";模板";以及";typename";关键词?