测量其他类别功能的时间

时间:2019-02-10 12:58:49

标签: c++ templates lnk2019

我已经阅读了不同的方法来测量堆栈流中的函数时间。我希望能够为程序的所有功能调用一个timemeasure函数,并编写了一个小助手类:

// helper.h

class Helper
{
public:
   Helper();
   ~Helper();

   template<class F, typename...Args>
   double funcTime(F func, Args&&... args);
};

// helper.cpp:
#include "Helper.h"
#include <chrono>
#include <utility>

typedef std::chrono::high_resolution_clock::time_point TimeVar;
#define duration(a) std::chrono::duration_cast<std::chrono::milliseconds>(a).count()
#define timeNow() std::chrono::high_resolution_clock::now()

template<typename F, typename... Args>
double Helper::funcTime(F func, Args&&... args)
{
 TimeVar t1 = timeNow();
 func(std::forward<Args>(args)...);
 return duration(timeNow() - t1);
}

如果您在同一类中调用相同的代码,则可以完美地使用它,但是如果我使用main.cpp进行调用,则会生成LNK2019错误。目标是包装此函数,以便我可以使用任何函数对其进行调用。我在这里做错了什么?

// main.cpp
//
#include "stdafx.h"
#include <iostream>
#include <string>
#include "Helper.h"

using namespace std;

int countWithAlgorithm(string s, char delim) {
   return count(s.begin(), s.end(), delim);
}

int main(int argc, const char * argv[]) 
{ 
 Helper h;
 cout << "algo: " << h.funcTime(countWithAlgorithm, "precision=10", '=') << endl;
 system("pause");
 return 0;
}

1 个答案:

答案 0 :(得分:0)

谢谢你们为我指明了正确的方向。我知道大多数编译器无法实例化模板函数的事实,但是不确定如何避免这种情况。 tntxtnt注释帮助我在合并的helper.h中找到了解决方案:

//helper.h
//
#pragma once

#include <chrono>

typedef std::chrono::high_resolution_clock::time_point TimeVar;

#define duration(a) std::chrono::duration_cast<std::chrono::nanoseconds>(a).count()
#define timeNow() std::chrono::high_resolution_clock::now()

 class Helper
 {
 public:
   Helper();
   ~Helper();

 template<class F, typename...Args>
 double funcTime(F func, Args&&... args)
 {
    TimeVar t1 = timeNow();
    func(std::forward<Args>(args)...);
    return duration(timeNow() - t1);
 }
};

感谢您的快速帮助!