1

我在下面写的函数是计算处理一个函数需要多长时间。

// return type for func(pointer to func)(parameters for func), container eg.vector
clock_t timeFuction(double(*f)(vector<double>), vector<double> v)
{
    auto start = clock();
    f(v);
    return clock() - start;
}

这是我想在我的 timeFunction 中测试的函数。

template<typename T>
double standardDeviation(T v)
{
    auto tempMean = mean(v); //declared else where
    double sq_sum = inner_product(v.begin(), v.end(), v.begin(), 0.0);
    double stdev = sqrt(sq_sum / v.size() - tempMean * tempMean);
    return stdev;
}

standardDiviation 是用模板制作的,因此它可以接受任何 c++ 容器,我想对 timeFunction 做同样的事情,所以我尝试了以下方法。

template<typename T>
clock_t timeFuction(double(*f)(T), T v)
{
    auto start = clock();
    f(v);
    return clock() - start;
}

但这给了我错误,例如不能使用函数模板“double standardDivation(T)”并且无法推断“重载函数”的模板参数

这就是我在main中调用函数的方式。

int main()
{
    static vector<double> v;
    for( double i=0; i<100000; ++i )
        v.push_back( i );

    cout << standardDeviation(v) << endl; // this works fine
    cout << timeFuction(standardDeviation,v) << endl; //this does not work

}

我如何修复 timeFunction 使其适用于任何 C++ 容器。任何帮助是极大的赞赏。

4

1 回答 1

0

我试图在 GCC 4.7.1 上编译这段代码。它编译并且工作正常。你用的是什么编译器?如果它不能推导出模板参数,则尝试明确指定它,即使用:

cout << timeFuction(standardDeviation< vector<double> >,v) << endl;

此外,在提问时,您应该尝试删除所有不必要的代码。

#include <iostream>
#include <vector>

using namespace std;

template<typename T>
double standardDeviation(T v)
{
    return 5;
}

template<typename T>
int timeFuction(double(*f)(T), T v)
{
   // auto start = clock();
    f(v);
    return 0;//clock() - start;
}

int main()
{
    static vector<double> v;
    for( double i=0; i<100000; ++i )
        v.push_back( i );

    cout << standardDeviation(v) << endl; // this works fine
    cout << timeFuction(standardDeviation,v) << endl; // this also work

    return 0;
}
于 2013-01-13T00:47:00.553 回答