1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107
| #include<iostream> #include<cmath> #include<vector> using namespace std; #define eps 1.e-6
double maclaurinSin(double x,double p){ double result = 0; double use = 0; for (int i = 1;true;i+=2){ use = pow(x,i); for (int j = 1; j <= i; j++) { use /= j; } result += pow(-1.0, i / 2)*use; if(use<=1.e-10){ return result; break; } } }
double functionValue(double x,double p,double q){ double result = 0; double temp = x * p; result = (1 + x * x * sin(temp) * sin(temp)) / (1 + q * x * x); return result; }
void romberg(double a,double b,double p,double q){
int k = 0; int n = 1; double h = (b - a) / 2; double Rom[60] = {0}; int flag = 0; double temp = h * (functionValue(a, p, q) + functionValue(b, p, q)); Rom[flag] = temp; flag++; for (k = 1; k <= 9;k++){ int m; double F = 0; for (int i = 1; i <= n; i++) { F += functionValue(a + (2 * i - 1) * h, p, q); } for (m=0; m <= k;m++){ double need = 0; if(m==0){ need = Rom[flag-k]/2+h*F; Rom[flag] = need; flag++; }else{ need =(pow(4,m)*Rom[flag-1]-Rom[flag-1-k])/(pow(4,m)-1); Rom[flag] = need; flag++; }
} if(fabs(Rom[flag-1]-Rom[flag-2])<eps||k==9){ printf("%.0f %.6f",pow(2,k), Rom[flag-1]); break; } h /= 2; n *= 2; } }
void simpson(double a, double b, double p, double q){ double F1 = 0; double F2 = 0; int n = 2; double h = (b - a) / 4; F1 = functionValue(a, p, q) + functionValue(b, p, q); F2 = functionValue((a + b) / 2, p, q); double S = (b - a) * (F1 + 4 * F2) / 6; for (; true; ){ double F3 = 0; for (int i = 1; i <= n;i++){ F3 += functionValue(a + (2 * i - 1) * h, p, q); } double s = h * (F1 + 2 * F2 + 4 * F3) / 3; if(fabs(s-S)<15*eps){ printf("%d %f", 2*n, s); break; }else{ h /= 2; n *= 2; F2 += F3; S = s; } } }
int main() { double p = 0; double q = 0; double a = 0; double b = 0; cin >> p >> q >> a >> b; romberg(a, b, p, q); cout << endl; simpson(a, b, p, q); system("pause"); }
|