用java设计一个方法Combination(),给定两个非负整数m, n(m>n),计算C_n^m的值,导入factorial
时间: 2024-02-11 12:07:15 浏览: 83
好的,如果你已经有了计算阶乘的方法 `factorial()`,那么可以在计算组合数的方法 `Combination()` 中调用 `factorial()` 方法来计算阶乘,具体实现如下:
```java
public class Combination {
public static int factorial(int n) {
if (n == 0 || n == 1) {
return 1;
} else {
return n * factorial(n - 1);
}
}
public static int Combination(int m, int n) {
if (m == n) {
return 1;
} else {
return factorial(n) / (factorial(m) * factorial(n - m));
}
}
public static void main(String[] args) {
int m = 5;
int n = 10;
int result = Combination(m, n);
System.out.println("C_" + m + "^" + n + " = " + result);
}
}
```
在上面的代码中,我们定义了两个方法:`factorial()` 用来计算阶乘,`Combination()` 用来计算组合数。在 `Combination()` 方法中,我们调用了 `factorial()` 方法来计算阶乘。
最后,在 `main()` 方法中,我们给定了 m=5 和 n=10 的值作为示例,然后调用 `Combination()` 方法计算 C_5^10 的值,并将结果打印出来。
希望这个代码对你有所帮助!
阅读全文