阅读量:0
要计算阶乘,可以使用递归函数来实现。下面是一个使用递归计算阶乘的Java代码示例:
public class Factorial { public static int factorial(int n) { if (n == 0 || n == 1) { return 1; } else { return n * factorial(n - 1); } } public static void main(String[] args) { int n = 5; int result = factorial(n); System.out.println("Factorial of " + n + " is: " + result); } }
在上面的代码中,factorial() 函数是一个递归函数,它接收一个整数参数 n,并返回 n 的阶乘。如果 n 等于 0 或 1,函数直接返回 1。否则,函数通过调用自身来计算 n 的阶乘,即 n * factorial(n - 1)。最后在 main() 函数中调用 factorial() 函数来计算并打印结果。运行上述代码会输出:
Factorial of 5 is: 120
这表示 5 的阶乘是 120。