3

下面的玩具程序将一种音乐类型转换为相应的颜色。它编译和执行得很好——转换COUNTRY失败,正如预期的那样,conversion()函数返回默认值,WHITE. 但是,如果我删除模板参数,则<MUSIC, COLOR>模板参数推导无法识别要使用的类型。我怎样才能得到扣除工作?

#include <map>
#include <iostream>
#include "boost/assign.hpp"

template<typename Key, typename T>
T convert(const Key &k, const T &d, const std::map<Key, T> &m) {
    typename std::map<Key, T>::const_iterator it = m.find(k);
    return it == m.end() ? d : it->second;
}

enum MUSIC { ROCK, RAP, EDM, COUNTRY };
enum COLOR { RED, BLUE, ORANGE, WHITE };

int main()
{
    COLOR c = convert<MUSIC, COLOR>(COUNTRY, WHITE,
        boost::assign::map_list_of (RAP, RED) (EDM, BLUE) (ROCK, RED));
    std::cout << c << std::endl;
}
4

2 回答 2

6

boost::assign::map_list_of可能不是 type map<K,V>,而是某种可转换为它的类型。

编译器试图从前两个参数和最后一个参数中推断出类型。最后一个参数没有意义,所以它放弃了。

我们可以阻止对最后一个参数的推断,如下所示:

template<class T>struct tag{using type=T;};
template<class Tag>using type_t=typename Tag::type;

template<class T>using block_deduction=type_t<tag<T>>;

template<typename Key, typename T>
T convert(const Key &k, const T &d, const block_deduction<std::map<Key, T>> &m) {
  typename std::map<Key, T>::const_iterator it = m.find(k);
  return it == m.end() ? d : it->second;
}

鲍勃应该是你的叔叔。

在 C++03 中:

template<class T>struct no_deduction{typedef T type;};

template<typename Key, typename T>
T convert(const Key &k, const T &d, const typename no_deduction<std::map<Key, T>>::type &m) {
  typename std::map<Key, T>::const_iterator it = m.find(k);
  return it == m.end() ? d : it->second;
}

这在逻辑上是等价的,但更丑陋。

于 2015-07-16T19:14:43.383 回答
3

正如Yakk他的回答 boost::assign::map_list_of中提到的那样,不是std::map但它可以转换为一个。如果不想更改您的功能,您可以更改创建地图的方式。使用 C++,我们现在有了可用于构造对象的初始化列表。使用初始化列表我们可以改变

COLOR c = convert<MUSIC, COLOR>(COUNTRY, WHITE,
    boost::assign::map_list_of (RAP, RED) (EDM, BLUE) (ROCK, RED));

COLOR c = convert(COUNTRY, WHITE, {{RAP, RED},{EDM, BLUE},{ROCK, RED}});

这将使用相同的结果并允许模板类型推导起作用。

现场示例

于 2015-07-16T19:28:19.230 回答