0

好的,所以我对 c++ 比较陌生,我正在尝试弄清楚如何使用函数指针。我有一个函数,它是一个简单的数值积分,我试图将哪个函数传递给它积分以及积分的限制是什么。我在 Xcode 中执行此操作,错误出现在主代码中,显示“没有匹配的函数来调用 SimpsonIntegration”。如果有人可以请帮助我将不胜感激。另外,由于我正在学习,因此也将不胜感激任何其他批评。main.cpp 函数如下。

#include <iostream>
#include "simpson7.h"
#include <cmath>

using namespace std;



int main(int argc, const char * argv[])
{
    double a=0;
    double b=3.141519;
    int bin = 1000;

    double (*sine)(double);
    sine= &sinx;



    double n = SimpsonIntegration(sine, 1000, 0, 3.141519);

      cout << sine(0)<<"  "<<n;
}

simpson.h 文件如下:

#ifndef ____1__File__
#define ____1__File__

#include <iostream>
template <typename mytype>

 double SimpsonIntegration(double (*functocall)(double) ,int bin, double a, double b);
 extern double (*functocall)(double);
 double sinx(double x);

#endif /* defined(____1__File__) */

接下来是 simpson.cpp 文件:

#include "simpson7.h"
#include <cmath>
#include <cassert>


//The function will only run if the number of bins is a positive integer.



double sinx(double x){

    return sin(x);
}

double SimpsonIntegration( double (*functocall)(double),  int bin, double a, double b){

    assert(bin>0);
    //assert(bin>>check);

    double integralpart1=(*functocall)(a), integralpart2=(*functocall)(b);
    double h=(b-a)/bin;
    double j;

    double fa=sin(a);
    double fb=sin(b);

    for (j=1; j<(bin/2-1); j++) {
        integralpart1=integralpart1+(*functocall)(a+2*j*h);
    }

    for (double l=1; l<(bin/2); l++) {
        integralpart2=integralpart2+(*functocall)(a+(2*l-1)*h);
    }

    double totalintegral=(h/3)*(fa+2*integralpart1+4*integralpart2 +fb);



    return totalintegral;

}

好吧,现在我修复了我试图编译的那个愚蠢的错误,我得到了这个错误:“链接器命令失败,退出代码为 1”。

4

1 回答 1

4

如果你看头文件,你有这个声明

template <typename mytype>
double SimpsonIntegration(double (*functocall)(double) ,int bin, double a, double b);

在源文件中你有

double SimpsonIntegration( double (*functocall)(double),  int bin, double a, double b)

那不是同一个功能。编译器尝试搜索非模板函数,但尚未声明,因此会出错。

简单的解决方案是删除头文件中的模板规范。

如果您确实希望该函数成为模板函数,那么您应该注意声明和定义的分离,请参见例如这个老问题

于 2013-11-04T06:33:06.477 回答