我尝试将函数作为参数与参数包作为第二个参数传递给包装函数。
在这种简单情况下,包装函数应使用包中的参数执行传递的函数,测量执行时间并退出。
但是在Ubuntu 18.04上出现g ++ 7.3.0(c ++ 14)的编译错误:
error: expression list treated as compound expression in functional cast [-fpermissive]
该行:
func(&args...);
包装器如下所示:
template<typename func, typename ...Types>
void measure_time(func, Types... args)
{
auto start = std::chrono::system_clock::now();
// execute function here
func(&args...);
auto end = std::chrono::system_clock::now();
std::cout << "Time for execution "
<< std::chrono::duration_cast<std::chrono::microseconds>(end-start).count()
<< " microseconds\n";
}
我是通用编程和参数包的新手,但是遵循parameter packs的cpp参考,应该可以吗?
调用measure_time函数,例如一个简单的binary_search:
int binary_search(int *a, int v, int l, int r)
{
while(r >= 1)
{
int m = (l+r)/2;
if(v == a[m]) return m;
if(v < a[m]) r = m-1; else l = m+1;
if(l==m || r==m) break;
}
return -1;
}
产生以下实例化(对我来说似乎正确)作为错误源:
In instantiation of ‘void measure_time(func, Types ...) [with func = int (*)(int*, int, int, int); Types = {int*, int, int, int}]’:
我发现本文描述了编译器错误,但是我缺乏了解这种情况的知识,并且在这种情况下似乎无法推断出可行的解决方案: temporary objects with variadic template arguments; another g++/clang++ difference
编辑:使用-fpermissive标志运行该程序,然后执行该程序即可正常工作。
答案 0 :(得分:1)
应该是:
template<typename Func, typename ...Types>
void measure_time(Func func, Types&&... args)
{
auto start = std::chrono::system_clock::now();
// execute function here
func(std::forward<Types>(args)...);
auto end = std::chrono::system_clock::now();
std::cout << "Time for execution "
<< std::chrono::duration_cast<std::chrono::microseconds>(end-start).count()
<< " microseconds\n";
}
但是更好的办法是将您的时间安排在RAII类中,以便轻松返回函数的值。