具有功能类型的模板参数原因编译器错误

时间:2016-03-08 16:38:59

标签: c++ templates generics lambda

我在C ++中定义了以下函数:

template<class Type> Type GetMedian(const vector<Type>& items, function<bool(Type, Type)> comp) {
  vector<Type> copied_items(items);
  std::nth_element(copied_items.begin(), copied_items.begin() + copied_items.size()/2, copied_items.end(), comp);
  return copied_items[copied_items.size()/2];
}

然而,当我尝试将其称为GetMedian(v, greater<uint32_t>())时,我的编译器(clang)抱怨:

error: no
      matching function for call to 'GetMedian'
  GetMedian(v, greater<uint32_t>());
  ^~~~~~~~~
note: 
      candidate template ignored: could not match 'function' against 'greater'
template<class Type> Type  GetMedian(const vector<Type>& items, function...

但是,每当我更改为不使用模板时,我都没有看到此错误:

uint32_t GetMedian(const vector<uint32_t>& items, function<bool(uint32_t, uint32_t)> comp) {
  vector<uint32_t> copied_items(items);
  std::nth_element(copied_items.begin(), copied_items.begin() + copied_items.size()/2, copied_items.end(), comp);
  return copied_items[copied_items.size()/2];
}

有没有办法让我的功能像我想的那样灵活?

1 个答案:

答案 0 :(得分:7)

类型Type在这里有两个点:

template<class Type> 
Type GetMedian(const vector<Type>& items, function<bool(Type, Type)> comp);
                            ^^^^                        ^^^^^^^^^^

当您使用GetMedian(v, greater<uint32_t>())进行调用时,它会Type推断uint32_t v,但需要推断function<bool(Type, Type)> greater<uin32_t>。但后者不属于function类型,因此扣除失败。它是可转换function<bool(uint32_t, uint32_t)>,但转换不会在模板扣除过程中发生。

谢天谢地,你实际上并不需要std::function。它实际上更糟糕 - 你无缘无故地给自己带来类型擦除的开销。只需将比较器作为单独的模板类型:

template <class Type, class Comp>
Type GetMedian(const vector<Type>& items, Comp comp);

或者,如果你真的真的想要一个std::function,你可以通过以下方式将Type包装在一个非推断的上下文中:

template <class T> struct non_deduced { using type = T; };
template <class T> using non_deduced_t = typename non_deduced<T>::type;

template <class T>
T median(const std::vector<T>&, std::function<bool(non_deduced_t<T>, non_deduced_t<T>)>)

现在,允许从std::greater<uint32_t>std::function<bool(uint32_t, uint32_t)>的转换,因为它只是推导上下文的vector<T>,因此编译器会推导出T }到uint32_t然后检查第二个参数转换是否有效。