利用函数嵌套调用,递归调用求两个数的阶乘和c语言
时间: 2024-01-01 20:14:04 浏览: 63
C语言程序设计-求k!(k〈13),所求阶乘的值作为函数值返回;(要求使用递归).c
5星 · 资源好评率100%
可以使用递归函数实现计算两个数的阶乘和,以下是示例代码:
```c
#include <stdio.h>
int factorial(int n) {
if (n == 0 || n == 1) {
return 1;
} else {
return n * factorial(n - 1);
}
}
int sum_of_factorials(int m, int n) {
if (m > n) {
return 0;
} else {
return factorial(m) + sum_of_factorials(m + 1, n);
}
}
int main() {
int m, n;
printf("Enter two numbers: ");
scanf("%d %d", &m, &n);
printf("Sum of factorials between %d and %d is %d\n", m, n, sum_of_factorials(m, n));
return 0;
}
```
在上面的代码中,`factorial()` 函数用于计算一个数的阶乘,`sum_of_factorials()` 函数则使用递归调用计算两个数之间的阶乘和。在 `sum_of_factorials()` 中,如果 `m` 大于 `n`,则返回 0,否则计算 `m` 的阶乘并加上 `m+1` 到 `n` 的阶乘和。最后在 `main()` 函数中读取两个输入数,调用 `sum_of_factorials()` 函数并输出结果。
阅读全文