The Tech Platform

Apr 8, 20211 min

Write a C Program to Find the factorial of a Number using Recursive Function.

Factorial, in mathematics, the product of all positive integers less than or equal to a given positive integer and denoted by that integer and an exclamation point. Thus, factorial seven is written 7!, meaning 1 × 2 × 3 × 4 × 5 × 6 × 7. Factorial zero is defined as equal to 1.

The factorial of a positive number n is given by:

factorial of n (n!) = 1 * 2 * 3 * 4 *... * n

The factorial of a negative number doesn't exist. And the factorial of 0 is 1.

Program:

#include<stdio.h>long int multiplyNumbers(int n);
 
int main() {
 
int n;
 
printf("Enter a positive integer: ");
 
scanf("%d",&n);
 
printf("Factorial of %d = %ld", n, multiplyNumbers(n));
 
return 0;
 
}
 

 
long int multiplyNumbers(int n) {
 
if (n>=1)
 
return n*multiplyNumbers(n-1);
 
elsereturn 1;
 
}

Output:

The Tech Platform

www.thetechplatform.com

    0