给定精度的cos(x)的泰勒级数展开
eps
递归方法
[错误]没有上下文类型信息的重载函数
如何解决此错误?
Photo1
#include <stdio.h>
#include <math.h>
double cos(double x, double eps, double s=0,double n=0,double a=0) {
if (abs(n)<1){
cos=cos(x, eps,1,1,1);
}
else {
a = -a*x*x / ((2*n-1) * (2*n));
if (abs(a)<=eps) {
cos=s;
}
else{
cos=cos(x, eps, s+a, a,n+1);
}
}
}
int main () {
double x;
scanf("%f", &x);
cos(x, 0.000000000000001);
}
最佳答案
您包括了math.h
,它具有一个名为cos
的功能,其功能有所不同。
您已经重载了该名称(例如,也使用名称cos
编写了另一个函数),但没有给编译器提供任何手段来推断您要调用的cos
版本。
通过为您的函数命名一些不同且唯一的方法来解决此问题。
这是我的修复尝试:
double TaylorCOS(double x, double eps, double s=0,double n=0,double a=0)
{
if (abs(n)<1)
{
return TaylorCOS(x, eps,1,1,1);
}
a = -a*x*x / ((2*n-1) * (2*n));
if (abs(a)<=eps)
{
return s;
}
return TaylorCOS(x, eps, s+a, a,n+1);
}
关于c - 如何修复我的代码?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34050505/