编写一个 Python 程序来打印以下数字序列(N 由用户输入):X + X^2/2! + X^3/3!+... 最多第 N 项

Write a Python program to print the following sequence of numbers (N to be entered by user): X + X^2/2! + X^3/3!+... Upto Nth Term

问题已经提到了。我已经为它写了一个代码,但我没有得到想要的输出。我们不必真正找到总和,只显示所有单独的加数,这是我遇到麻烦的部分。

这是我写的代码:

x = int(input("Please enter the base number: "))
n = int(input("Please enter the number of terms: "))
s = 0
factorial = 1
for j in range(1,n+1):
    factorial = factorial*j
    for i in range(x,n+1):
        s = (x**i)/factorial
        print(s,end='+')

我的输出来了:

Please enter the base number: 2
Please enter the number of terms: 5
4.0+8.0+16.0+32.0+2.0+4.0+8.0+16.0+0.6666666666666666+1.3333333333333333+2.6666666666666665+5.333333333333333+0.16666666666666666+0.3333333333333333+0.6666666666666666+1.3333333333333333+0.03333333333333333+0.06666666666666667+0.13333333333333333+0.26666666666666666+

这显然不是我要找的答案。我想要的输出是这样的:

Please enter the base number: 2
Please enter the number of terms: 5
2.0+2.0+1.33333+0.66667+0.26667+

我应该在代码中进行哪些更改才能获得所需的结果?

你不需要两个循环。您只需要一个循环,因为您的系列已泛化为 x**n/factorial(n) 并且您只想增加 n.

的值
x = 2 # int(input("Please enter the base number: "))
n = 5 # int(input("Please enter the number of terms: "))
s = 0
factorial = 1
for i in range(1,n+1):
    factorial = factorial*i
    s = (x**i) / factorial
    print(s, end='+')

这会打印:

2.0+2.0+1.3333333333333333+0.6666666666666666+0.26666666666666666+

当然,如果要将数字格式化为固定的小数位数,请指定使用 f 字符串:

for i in range(1,n+1):
    factorial = factorial*i
    s = (x**i) / factorial
    print(f"{s:.6f}", end='+')
2.000000+2.000000+1.333333+0.666667+0.266667+

你只需要一个循环。其次,尝试根据前一项计算下一项,以免计算量变得很大:

value = 1
for j in range(1,n+1):
    value *= x / j
    print(value,end='+')

您的错误在第 6 行:factorial = factorial*j。 你应该做的是用 factorial += 1 替换它,每次你进入循环时阶乘都会增加一。

这应该是更正后的代码:

x = int(input("Please enter the base number: "))
n = int(input("Please enter the number of terms: "))
s = 0
factorial = 1
for j in range(1,n+1):
    factorial = factorial+1
    for i in range(x,n+1):
        s = (x**i)/factorial
        print(s,end='+')

这是结果:

Please enter the base number: 2
Please enter the number of terms: 5
2.0+4.0+8.0+16.0+1.3333333333333333+2.6666666666666665+5.333333333333333+10.666666666666666+1.0+2.0+4.0+8.0+0.8+1.6+3.2+6.4+0.6666666666666666+1.3333333333333333+2.6666666666666665+5.333333333333333+

如果有任何问题,请告诉我。