编写求阶乘的函数,在主函数中调用该函数,求n!并输出结果,n从键盘上输入(n<10)。使用c++
时间: 2023-06-14 19:08:26 浏览: 149
以下是使用C++编写的求阶乘的函数及主函数示例代码:
```c++
#include <iostream>
using namespace std;
int factorial(int n) {
if (n == 0 || n == 1) { // 0!和1!的值都为1
return 1;
} else {
return n * factorial(n-1); // 递归调用自身
}
}
int main() {
int n;
cout << "请输入一个小于10的整数n:" << endl;
cin >> n;
cout << n << "! = " << factorial(n) << endl;
return 0;
}
```
该程序先定义了一个函数`factorial`,用于求n的阶乘。若n为0或1,则直接返回1;否则,递归调用自身,计算n * (n-1) * (n-2) * … * 2 * 1的值。
在主函数中,用户从键盘上输入一个小于10的整数n,然后调用`factorial`函数求解n的阶乘,并输出结果。
相关问题
编写求阶乘的函数,在主函数中调用该函数,求n!并输出结果,n从键盘上输入(n<10)
以下是使用递归方式求解阶乘的函数代码:
```c++
#include <iostream>
using namespace std;
int factorial(int n) {
if (n == 1 || n == 0) {
return 1;
} else {
return n * factorial(n-1);
}
}
int main() {
int n;
cout << "请输入n的值(n<10):" << endl;
cin >> n;
cout << n << "! = " << factorial(n) << endl;
return 0;
}
```
该程序中,`factorial()` 函数使用了递归方式求解阶乘。当输入的 n 等于 1 或 0 时,递归停止,返回 1;否则,继续递归调用 `factorial()` 函数。
在 `main()` 函数中,程序从键盘输入 n 的值,然后调用 `factorial()` 函数求解 n! 并输出结果。
需要注意的是,由于 n 的值较小,因此在使用递归方式求解阶乘时不会出现栈溢出的情况。如果需要求解较大的阶乘,建议使用循环方式实现。
c语言,编写递归函数求n!在主函数中调用该函数,求5!+8!的值
好的,这里是 C 语言的递归函数求 n! 的代码:
```c
#include <stdio.h>
int factorial(int n) {
if (n == 1) {
return 1;
} else {
return n * factorial(n - 1);
}
}
int main() {
int result = factorial(5) + factorial(8);
printf("%d\n", result);
return 0;
}
```
这个程序中的 `factorial` 函数是递归实现的,它接收一个整数参数 `n`,并返回 `n` 的阶乘。在 `factorial` 函数中,如果 `n` 的值为 1,那么就返回 1,否则就返回 `n` 乘上 `factorial(n - 1)` 的结果,这里用到了函数的递归调用。
在主函数中,我们分别调用 `factorial(5)` 和 `factorial(8)`,并将它们的返回值相加,最后将结果打印出来。运行这个程序,输出结果为 40321。