我尝试创建一个通用的包装函数,它将任何函数作为参数以及它们的参数。就像std::thread
构造函数一样。
我目前的代码是:
#include <iostream>
using namespace std;
template<typename FUNCTION, typename... ARGS>
void wrapper(FUNCTION&& func, ARGS&&... args)
{
cout << "WRAPPER: BEFORE" << endl;
auto res = func(args...);
cout << "WRAPPER: AFTER" << endl;
//return res;
}
int dummy(int a, int b)
{
cout << a << '+' << b << '=' << (a + b) << endl;
return a + b;
}
int main(void)
{
dummy(3, 4);
wrapper(dummy, 3, 4);
}
包装函数本身有效。它使用给定的参数调用给定的函数对象(std::function
,仿函数或“正常”函数)。但我也希望返回其返回值。
这应该与删除的return
- 语句一起使用,但不幸的是我不知道如何声明包装函数返回类型。
我尝试了很多东西(例如使用decltype
),但没有任何效果。我现在的问题是,如何运行以下代码?
#include <iostream>
template<typename FUNCTION, typename... ARGS>
??? wrapper(FUNCTION&& func, ARGS&&... args)
{
cout << "WRAPPER: BEFORE" << endl;
auto res = func(args...);
cout << "WRAPPER: AFTER" << endl;
return res;
}
int dummy(int a, int b)
{
cout << a << '+' << b << '=' << (a + b) << endl;
return a + b;
}
int main(void)
{
dummy(3, 4);
cout << "WRAPPERS RES IS: " << wrapper(dummy, 3, 4) << endl;
}
我认为代码应该有效,但???
除外。
感谢您提出任何想法
此致 凯文
答案 0 :(得分:14)
template <typename F, typename ...Args>
typename std::result_of<F &&(Args &&...)>::type wrapper(F && f, Args &&... args)
{
return std::forward<F>(f)(std::forward<Args>(args)...);
}
在C ++ 14中,您可以使用result_of_t
别名:
template <typename F, typename ...Args>
std::result_of_t<F &&(Args &&...)> wrapper(F && f, Args &&... args)
{
return std::forward<F>(f)(std::forward<Args>(args)...);
}
或者您可以使用退货类型扣除:
template <typename F, typename ...Args>
decltype(auto) wrapper(F && f, Args &&... args)
{
std::cout << "before\n";
auto && res = std::forward<F>(f)(std::forward<Args>(args)...);
std::cout << "after\n";
return res;
}
答案 1 :(得分:7)
您可以将decltype
与C ++ 11自动跟踪返回类型一起使用:
template<typename FUNCTION, typename... ARGS>
auto wrapper(FUNCTION&& func, ARGS&&... args) -> decltype(func(std::forward<ARGS>(args)...))
在 C ++ 14 中,只需执行以下操作:
template<typename FUNCTION, typename... ARGS>
decltype(auto) wrapper(FUNCTION&& func, ARGS&&... args)