factorial (n) = n x (n-1) x (n-2) ... 1
Java Program to find Factorial of a number
Upasana | October 17, 2020 | 2 min read | 382 views | Java Coding Challenges
Factorial of a number is calculated using below mathematical formula:
In Java, we can either use iterative approach or recursive approach to calculate the factorial. We will discuss both of them in this article.
Recursive approach
The factorial of a number can be expressed by this recursive function:
factorial (n) = n x factorial (n-1)
till n becomes 1 i.e. till factorial of 0 (which is one).
public class Factorial {
    public long factorial(long n) {
        if (n == 1)     (1)
            return 1;
        else {
            return n * factorial(n - 1);    (2)
        }
    }
}| 1 | Base condition for recursive method. Factorial of Zero is One. | 
| 2 | We multiply number with factorial of (number - 1)to get factorial of a number | 
Iterative approach
Iterative approach is bit simple, where we multiply all numbers from 1 to n and return the result.
class Scratch {
    public long factorial(long number) {
        long result = 1L;
        while (number != 0) {
            result = result * number;
            number--;
        }
        return result;
    }
}Factorial using Java 8 Streams
Java 8 streams with reduction method can be used to calculate factorial of a number. This is a iterative approach, but instead of loops we are using streams.
import java.util.stream.LongStream;
class Scratch {
    public static long factorialStreams(long n) {
        return LongStream.rangeClosed(2, n)
                .reduce(1, (long a, long b) -> a * b);
    }
}- 
LongStream.rangeClosed(2, n) method creates a Stream of longs from [2 to n]. 
- 
Lambda function supplied for reduce (a,b) → a * bwill multiply each pair ofaandband return the result. The result then carries over toafor the next round. The value of1is used in the reduction method as the starting value for variableafor the first iteration.
Handling very large numbers
Here we are using long to hold the result of multiplication, which can quickly overflow due to maximum limit an long can hold. We can improve the above two programs to use BigInteger as discussed in the below article:
Java Coding Challenges:
- Reverse position of words in a string using recursion
- Check if the given string is palindrome
- Find two numbers of which the product is maximum in an array
- Prime number checker in Java
- Create anagram buckets from a given input array of words
- Anagrams string checker in Java
- Reverse a string using recursion in Java
Top articles in this category:
- Java Coding Problems for SDET Automation Engineer
- Find two numbers of which the product is maximum in an array
- 50 Java Interview Questions for SDET Automation Engineer
- How to reverse a number in Java
- Armstrong Number in Java
- Prime number checker in Java
- Find longest non-repeating substring from a given string in Java
 
                         
                        