C++ 中 1 + x/1 + x^2/2 + x^3/3 + .. + x^n/n 级数的和


在这个问题中,我们给定两个数字 X 和 n,它们表示一个数学级数。我们的任务是创建一个程序来找到级数 1 + x/1 + x^2/2 + x^3/3 + .. + x^n/n 的和。

让我们举个例子来理解这个问题,

输入

x = 2 , n = 4

输出

解释 -

sum= 1 + 2/1 + (2^2)/2 + (2^3)/3 + (2^4)/4
   = 1 + 2 + 4/2 + 8/3 + 16/4
   = 1 + 2 + 2 + 8/3 + 4
   = 9 + 8/3
   = 11.666.

一个简单的解决方案是创建级数并使用基值 x 和范围 n 找到和。然后返回总和。

示例

程序说明我们解决方案的工作原理,

 在线演示

#include <iostream>
#include <math.h>
#include <iomanip>
using namespace std;
double calcSeriesSum(int x, int n) {
   double i, total = 1.0;
   for (i = 1; i <= n; i++)
   total += (pow(x, i) / i);
   return total;
}
int main() {
   int x = 3;
   int n = 6;
   cout<<"Sum of the Series 1 + x/1 + x^2/2 + x^3/3 + .. + x^"<<n<<"/"<<n<<" is "<<setprecision(5)   <<calcSeriesSum(x, n);
   return 0;
}

输出

Sum of the Series 1 + x/1 + x^2/2 + x^3/3 + .. + x^6/6 is 207.85

更新于: 2020年8月14日

1K+ 次浏览

开启你的 职业生涯

通过完成课程获得认证

开始学习
广告