logo

Javaの階乗プログラム

階乗プログラム Java の場合: n の階乗は すべての正の降順整数の積 。の階乗 n は n! で表されます。例えば:

 4! = 4*3*2*1 = 24 5! = 5*4*3*2*1 = 120 

ほら、4!は「4階乗」と発音され、「4バン」または「4シュリーク」とも呼ばれます。

階乗は通常、組み合わせと順列 (数学) で使用されます。

Java 言語で階乗プログラムを記述する方法は数多くあります。 Javaで階乗プログラムを書く2つの方法を見てみましょう。

  • ループを使用した階乗計画
  • 再帰を使用した階乗計画

Javaでループを使用した階乗プログラム

Javaのループを使用した階乗プログラムを見てみましょう。

 class FactorialExample{ public static void main(String args[]){ int i,fact=1; int number=5;//It is the number to calculate factorial for(i=1;i<=number;i++){ fact="fact*i;" } system.out.println('factorial of '+number+' is: '+fact); < pre> <p>Output:</p> <pre> Factorial of 5 is: 120 </pre> <h2>Factorial Program using recursion in java</h2> <p>Let&apos;s see the factorial program in java using recursion.</p> <pre> class FactorialExample2{ static int factorial(int n){ if (n == 0) return 1; else return(n * factorial(n-1)); } public static void main(String args[]){ int i,fact=1; int number=4;//It is the number to calculate factorial fact = factorial(number); System.out.println(&apos;Factorial of &apos;+number+&apos; is: &apos;+fact); } } </pre> <p>Output:</p> <pre> Factorial of 4 is: 24 </pre></=number;i++){>

Javaで再帰を使用した階乗プログラム

再帰を使用した Java の階乗プログラムを見てみましょう。

 class FactorialExample2{ static int factorial(int n){ if (n == 0) return 1; else return(n * factorial(n-1)); } public static void main(String args[]){ int i,fact=1; int number=4;//It is the number to calculate factorial fact = factorial(number); System.out.println(&apos;Factorial of &apos;+number+&apos; is: &apos;+fact); } } 

出力:

C++ GUI
 Factorial of 4 is: 24