用java做出n的阶乘
时间: 2024-12-11 18:29:07 浏览: 6
在Java中计算一个数n的阶乘,可以使用递归或者循环的方式来实现。这里是一个简单的使用循环的方法:
```java
public class Factorial {
public static long factorial(int n) {
if (n < 0) {
throw new IllegalArgumentException("阶乘只对非负整数定义");
} else if (n == 0 || n == 1) {
return 1; // 阶乘的基本情况,0和1的阶乘都是1
} else {
long result = 1;
for (int i = 1; i <= n; i++) {
result *= i;
}
return result;
}
}
public static void main(String[] args) {
int n;
Scanner scanner = new Scanner(System.in);
System.out.print("请输入一个正整数n:");
n = scanner.nextInt();
long fact = factorial(n);
System.out.printf("n! 的值是: %d", fact);
}
}
```
在这个程序中,`factorial`函数接受一个整数n,然后通过一个for循环从1累乘到n,得到结果。
阅读全文