我想为operator<<
实现一个重载,允许我调用给定的函数并输出结果。
因此我写了一个重载,但是选择了转换为bool,当我自己编写一个函数时,它就不会编译。
我附上了我的代码:
#include <iostream>
template<typename T>
void test(T *) {
std::cout << "ptr" << std::endl;
}
template<typename T>
void test(bool) {
std::cout << "bool" << std::endl;
}
template<typename Ret, typename ...Args>
void test(Ret(*el)(Args...)) {
std::cout << "function ptr\n" << el(Args()...) << std::endl;
}
template<typename Char_T, typename Char_Traits, typename Ret, typename ...Args>
std::basic_ostream<Char_T, Char_Traits>& operator<<(
std::basic_ostream<Char_T, Char_Traits> &str, Ret(*el)(Args...)) {
return str << el(Args()...);
}
int main() {
std::boolalpha(std::cout);
std::cout << []{return 5;} << std::endl; // true is outputted
test([]{return 5;}); // will not compile
}
我使用带有版本标志-std=c++14
的gcc 7.3.1。
编辑:错误讯息:
main.cc: In function ‘int main()’:
main.cc:25:23: error: no matching function for call to ‘test(main()::<lambda()>)’
test([]{return 5;});
^
main.cc:5:6: note: candidate: template<class T> void test(T*)
void test(T *) {
^~~~
main.cc:5:6: note: template argument deduction/substitution failed:
main.cc:25:23: note: mismatched types ‘T*’ and ‘main()::<lambda()>’
test([]{return 5;});
^
main.cc:9:6: note: candidate: template<class T> void test(bool)
void test(bool) {
^~~~
main.cc:9:6: note: template argument deduction/substitution failed:
main.cc:25:23: note: couldn't deduce template parameter ‘T’
test([]{return 5;});
^
main.cc:13:6: note: candidate: template<class Ret, class ... Args> void test(Ret (*)(Args ...))
void test(Ret(*el)(Args...)) {
^~~~
main.cc:13:6: note: template argument deduction/substitution failed:
main.cc:25:23: note: mismatched types ‘Ret (*)(Args ...)’ and ‘main()::<lambda()>’
test([]{return 5;});
答案 0 :(得分:2)
您的问题是,模板参数扣除仅对<{1}}传递的实际参数 完成。它没有在参数可能转换为的所有可能类型上完成。这可能是一个无限集合,所以这显然是不可能的。
因此,Template Argument Deduction是在实际的lambda对象上完成的,该对象具有不可写的类类型。因此,test
的推论失败,因为lambda对象不是指针。显然,test(T*)
无法从T
推断出test(bool)
。最后,test(Ret(*el)(Args...))
的推论失败,因为lambda对象也不是指向函数的指针。
有几个选择。您可能甚至不需要模板,您可以接受std::function<void(void)>
并依赖于它具有模板化构造函数的事实。或者您可以采用test(T t)
参数并将其称为t()
。 T
现在将推导出实际的lambda类型。最奇特的解决方案可能是使用std::invoke
,并接受模板vararg列表。
答案 1 :(得分:0)
template<typename T>
void test(bool) {
std::cout << "bool" << std::endl;
}
不需要模板。实际上你重载函数,而不是模板。替换为
void test(bool) {
std::cout << "bool" << std::endl;
}
现在你的样本将会编译。
答案 2 :(得分:0)
即使非捕获lambda具有对函数指针的隐式转换,函数模板也必须完全匹配才能成功进行推导,否则不会执行任何转换。
因此,最简单的解决方法是使用+
int main() {
std::boolalpha(std::cout);
std::cout << []{return 5;} << std::endl; // true is outputted
test(+[]{return 5;});
// ^
}