C语言利用求阶乘函数Fact(),编程计算并输出1! + 2! + …+ n!的值。 **输入格式要求:"%u" 提示信息:"Input n(n>0):" **输出格式要求:"sum = %lu\n"
时间: 2024-02-23 15:00:54 浏览: 75
好的,以下是用 C 语言编写计算并输出 $1! + 2! + \cdots + n!$ 的代码:
```c
#include <stdio.h>
unsigned int get_input();
unsigned long factorial(unsigned int n);
unsigned long factorial_sum(unsigned int n);
int main() {
unsigned int n = get_input();
unsigned long sum = factorial_sum(n);
printf("sum = %lu\n", sum);
return 0;
}
unsigned int get_input() {
unsigned int n;
printf("Input n(n>0):");
scanf("%u", &n);
return n;
}
unsigned long factorial(unsigned int n) {
if (n == 0 || n == 1) {
return 1;
} else {
return n * factorial(n - 1);
}
}
unsigned long factorial_sum(unsigned int n) {
unsigned long sum = 0;
for (unsigned int i = 1; i <= n; i++) {
sum += factorial(i);
}
return sum;
}
```
其中,使用了函数 `get_input()` 获取用户输入的正整数 `n`,使用了函数 `factorial()` 计算阶乘的值,使用了函数 `factorial_sum()` 计算 $1! + 2! + \cdots + n!$ 的值,并在 `main()` 函数中调用并输出结果。
阅读全文