c++求1! + 2! + 3! +….+20![其中n!用调用递归函数实现,求和用循环体]
时间: 2023-11-24 19:50:40 浏览: 109
以下是C++求1! + 2! + 3! +….+20!的代码,其中n!用调用递归函数实现,求和用循环体:
```c++
#include <iostream>
using namespace std;
int factorial(int n) { //递归函数求n的阶乘
if (n == 0 || n == 1) {
return 1;
} else {
return n * factorial(n - 1);
}
}
int main() {
int sum = 0;
for (int i = 1; i <= 20; i++) {
sum += factorial(i); //累加每个数的阶乘
}
cout << "1! + 2! + 3! +….+20! = " << sum << endl;
return 0;
}
```
阅读全文