从默认参数推断模板参数
Infer template argument from default parameter
考虑这段代码:
#include <functional>
template <typename T,typename COMP>
bool foo(T a,T b,COMP c = std::less<T>()) {
return c(a,b);
}
bool bar(int a, int b){ return a<b;}
int main(){
foo(1,2,bar); // OK
foo(1,2,std::less<int>()); // OK
foo(1,2); // error
}
前两个调用没问题,但似乎禁止让编译器从默认参数推断COMP
的类型:
<source>:14:5: error: no matching function for call to 'foo'
foo(1,2);
^~~
<source>:4:6: note: candidate template ignored: couldn't infer template argument 'COMP'
bool foo(T a,T b,COMP c = std::less<T>()) {
^
1 error generated.
Compiler returned: 1
我错过了什么吗?我真的不明白为什么编译器 "couldn't infer template argument 'COMP'" 并且我怀疑它是不允许这样做的。
是否可以从默认参数推断模板参数?如果不是,为什么?
无法推断类型。您也可以手动指定默认类型:
template <typename T,typename COMP = std::less<T>>
bool foo(T a,T b,COMP c = std::less<T>()) { /* As before. */ }
我建议按照在标准 C++ 容器(如 map 或 set)中完成的方式进行操作。它允许推断类型并允许使用默认参数:
template <typename T,typename COMP = std::less<T>>
bool foo(T a,T b, COMP c = COMP()) { /* As before. */ }
考虑这段代码:
#include <functional>
template <typename T,typename COMP>
bool foo(T a,T b,COMP c = std::less<T>()) {
return c(a,b);
}
bool bar(int a, int b){ return a<b;}
int main(){
foo(1,2,bar); // OK
foo(1,2,std::less<int>()); // OK
foo(1,2); // error
}
前两个调用没问题,但似乎禁止让编译器从默认参数推断COMP
的类型:
<source>:14:5: error: no matching function for call to 'foo'
foo(1,2);
^~~
<source>:4:6: note: candidate template ignored: couldn't infer template argument 'COMP'
bool foo(T a,T b,COMP c = std::less<T>()) {
^
1 error generated.
Compiler returned: 1
我错过了什么吗?我真的不明白为什么编译器 "couldn't infer template argument 'COMP'" 并且我怀疑它是不允许这样做的。
是否可以从默认参数推断模板参数?如果不是,为什么?
无法推断类型。您也可以手动指定默认类型:
template <typename T,typename COMP = std::less<T>>
bool foo(T a,T b,COMP c = std::less<T>()) { /* As before. */ }
我建议按照在标准 C++ 容器(如 map 或 set)中完成的方式进行操作。它允许推断类型并允许使用默认参数:
template <typename T,typename COMP = std::less<T>>
bool foo(T a,T b, COMP c = COMP()) { /* As before. */ }