所以这里有一些可能有用也可能没用的想法。
要创建适用于仿函数、lambda 和传统函数的 type_trait,我想我会考虑看看模板参数是否可以转换为std::function<void()>
. 我认为这将以清晰的方式涵盖大多数基础。
正如我们在评论中提到的,您不能像您正在做的那样测试模板参数。函数的f()
后面会导致编译错误,因此您将永远没有机会看到运行时错误。
你可以尝试用std::enable_if
. 您需要创建模板特化,以便 SFINAE 可以选择正确的实现。这将使用我在项目符号 1 中提到的 type_trait。
如果你这样做了,你可以使另一个模板的实现成为static_assert
一个“更好”的错误消息。
话虽如此,编译器错误消息一开始并没有那么糟糕。(至少在clang和gcc中。我看起来不像msvc)。
这不会给你一个很好的错误信息,但它确实给你一个不同的错误信息:
#include <cassert>
#include <functional>
#include <type_traits>
template <typename Func>
typename std::enable_if<std::is_convertible<Func, std::function<void()>>::value>::type
deferJob(Func f, int ms=2000) {
}
void normal_function() {}
int main() {
deferJob([]() {}); // works
deferJob(&normal_function); // works
deferJob(3); // compile time error
}
在 Clang 中,我收到如下错误:
foo.cc:15:2: error: no matching function for call to 'deferJob'
deferJob(3); // compile time error
^~~~~~~~
foo.cc:6:25: note: candidate template ignored: disabled by 'enable_if' [with Func = int]
typename std::enable_if<std::is_convertible<Func, std::function<void()>>::value>::type
在 GCC 中,我收到如下错误:
foo.cc: In function ‘int main()’:
foo.cc:15:12: error: no matching function for call to ‘deferJob(int)’
deferJob(3); // compile time error
^
foo.cc:15:12: note: candidate is:
foo.cc:7:1: note: template<class Func> typename std::enable_if<std::is_convertible<Func, std::function<void()> >::value>::type deferJob(Func, int)
deferJob(Func f, int ms=2000) {
^
foo.cc:7:1: note: template argument deduction/substitution failed:
foo.cc: In substitution of ‘template<class Func> typename std::enable_if<std::is_convertible<Func, std::function<void()> >::value>::type deferJob(Func, int) [with Func = int]’:
foo.cc:15:12: required from here
foo.cc:7:1: error: no type named ‘type’ in ‘struct std::enable_if<false, void>’
我们可以更进一步(尽管这样做很难进一步扩展)并添加一个附加功能:
template <typename Func>
typename std::enable_if<not std::is_convertible<Func, std::function<void()>>::value>::type
deferJob(Func f, int ms=2000) {
static_assert(false, "You should pass a function");
}
这会导致 clang 报告(在编译时):
foo.cc: In function ‘typename std::enable_if<(! std::is_convertible<Func, std::function<void()> >::value)>::type deferJob(Func, int)’:
foo.cc:14:2: error: static assertion failed: You should pass a function
static_assert(false, "You should pass a function");
但遗憾的是,它没有给出堆栈跟踪,所以我发现这比任何早期的消息都没有帮助。
最后,我们还可以将静态断言替换为您的运行时消息:
template <typename Func>
typename std::enable_if<not std::is_convertible<Func, std::function<void()>>::value>::type
deferJob(Func f, int ms=2000) {
qDebug() << "Not function!";
}