logo

Programme factoriel en Java

Programme Factoriel en Java : la factorielle de n est la produit de tous les entiers décroissants positifs . Factorielle de n est noté n!. Par exemple:

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

Ici, 4 ! se prononce « 4 factoriel », on l'appelle aussi « 4 bang » ou « 4 shriek ».

La factorielle est normalement utilisée dans les combinaisons et permutations (mathématiques).

Il existe de nombreuses façons d’écrire le programme factoriel en langage Java. Voyons les 2 façons d'écrire le programme factoriel en Java.

  • Programme Factoriel utilisant une boucle
  • Programme factoriel utilisant la récursion

Programme factoriel utilisant une boucle en Java

Voyons le programme factoriel utilisant la boucle en 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++){>

Programme factoriel utilisant la récursivité en Java

Voyons le programme factoriel en Java utilisant la récursivité.

 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); } } 

Sortir:

 Factorial of 4 is: 24