为什么隐式类型转换在模板推导中不起作用?

时间:2018-11-09 14:33:39

标签: c++ c++11 templates

在下面的代码中,我想通过将int隐式转换为Scalar<int>对象来调用模板函数。

#include<iostream>
using namespace std;

template<typename Dtype>
class Scalar{
public:
  Scalar(Dtype v) : value_(v){}
private:
  Dtype value_;
};

template<typename Dtype>
void func(int a, Scalar<Dtype> b){ 
  cout << "ok" <<endl;
}

int main(){
  int a = 1;
  func(a, 2); 
  //int b = 2;
  //func(a, b);
  return 0;
}

为什么模板参数推导/替换失败?而且注释代码也是错误的。

test.cpp: In function ‘int main()’:
test.cpp:19:12: error: no matching function for call to ‘func(int&, int)’
   func(a, 2);
            ^
test.cpp:19:12: note: candidate is:
test.cpp:13:6: note: template<class Dtype> void func(int, Scalar<Dtype>)
 void func(int a, Scalar<Dtype> b){
      ^
test.cpp:13:6: note:   template argument deduction/substitution failed:
test.cpp:19:12: note:   mismatched types ‘Scalar<Dtype>’ and ‘int’
   func(a, 2);

2 个答案:

答案 0 :(得分:14)

因为template argument deduction不够聪明:(根据设计)它没有考虑用户定义的转换。 int-> Scalar<int>是用户定义的转换。

如果要使用TAD,则需要在调用方站点上转换参数:

func(a, Scalar<int>{2}); 

或为Scalar定义推导指南 1 并致电f

func(a, Scalar{2}); // C++17 only

或者,您可以显式实例化f

func<int>(a, 2); 

1)默认的推导指南就足够了:demo

答案 1 :(得分:2)

template<typename Dtype>
void func(int a, Scalar<Dtype> b){ 
  cout << "ok" <<endl;
}
template<typename Dtype>
void func(int a, Dtype b){ 
  func(a, Scalar<Dtype>(std::move(b)));
}

template参数推导是模式匹配,它仅与类型或其基本类型完全匹配。它没有转换。

稍后会在重载解析和函数调用时完成转换。

在这里,我们添加了另一个重载,该重载明确转发到您想要的重载。