Prime Number Program in Java: How to Print and Check Prime Numbers?
Updated on Mar 24, 2025 | 33 min read | 45.9k views
Share:
For working professionals
For fresh graduates
More
Updated on Mar 24, 2025 | 33 min read | 45.9k views
Share:
Table of Contents
A prime number is a natural number greater than 1 that has no divisors other than 1 and itself. In other words, you can’t evenly divide a prime by any smaller positive integer (besides 1). For example, 2, 3, 5, 7, and 11 are prime numbers as they can’t be broken down into smaller factors.
Now, prime numbers might seem like simple math trivia, but they play a huge role in programming and security. A prime number program in Java is any method used to efficiently identify and work with prime numbers.
In this guide, we’ll demystify primes and explore how to identify prime numbers using a prime number program in Java through various methods – from basic checks to efficient algorithms. Whether you’re a beginner learning loops or an experienced coder curious about optimizing prime checks, we’ve got you covered with multiple implementations.
Learning to print prime numbers from 1 to 100 using a prime number program in Java is a great way to explore loops, conditional probabilities, and basic algorithmic thinking.
By the end of this, you'll be able to generate all the prime numbers between 1 and 100 and have a solid grasp of how prime number checking works in programming.
Let’s break this down into simple steps and the corresponding algorithm.
Algorithm and Steps
Steps for the Program
Sample Java Code for Prime Numbers 1 to 100
public class PrimeNumber {
public static void main(String[] args) {
// Loop through numbers from 2 to 100
for (int num = 2; num <= 100; num++) {
boolean isPrime = true; // Assume the number is prime
// Check divisibility from 2 to num-1
for (int i = 2; i < num; i++) {
if (num % i == 0) { // If divisible, it's not prime
isPrime = false;
break;
}
}
// If the number is still prime, print it
if (isPrime) {
System.out.println(num);
}
}
}
}
Code Explanation
Why Does This Work?
This program uses the brute-force prime number program in Java to check primality. For each number, you test whether it can be divided by any number smaller than itself. While this approach is easy and understandable, it’s not the most efficient for large numbers.
In real-world applications, especially cryptography, more optimized algorithms are used. However, this method works perfectly for smaller ranges like 1 to 100 and is a great way to practice working with loops and conditionals.
Example Output:
2
3
5
7
11
13
17
19
23
29
31
37
41
43
47
53
59
61
67
71
73
79
83
89
97
By following this simple algorithm, you can list all prime numbers between 1 and 100 in just a few lines of Java code for prime numbers from 1 to 100!
Also Read: Coding vs Programming: Difference Between Coding and Programming
Several approaches help you decide if a number is prime, and each has its own pros and cons. Let’s walk through each method.
You are free to adapt these methods based on your project’s requirements or constraints.
The brute-force method is often the first approach people learn. It tests whether any number from 2 to n-1 (or a reduced range) divides the target number. It’s straightforward, though not the most efficient for large inputs.
Code Sample (Brute Force)
public class PrimeCheckBruteForce {
public static boolean isPrime(int n) {
if (n <= 1) {
return false; // 0, 1, and negative numbers are not prime
}
for (int i = 2; i < n; i++) {
if (n % i == 0) {
return false;
}
}
return true;
}
public static void main(String[] args) {
int number = 17;
if (isPrime(number)) {
System.out.println(number + " is prime.");
} else {
System.out.println(number + " is not prime.");
}
}
}
Code Explanation
The program follows a simple step-by-step process to determine whether a number is prime:
Output:
17 is prime.
Time Complexity Analysis
Brute-force checking has a time complexity of O(n) in the worst case. That means if n is 100, you might do up to 98 checks. It’s perfectly fine for small inputs but grows quickly for large n.
When to Use the Brute-force Method?
Also Read: Perfect Number Program for Java
The square root method optimizes the simple method by limiting the number of divisibility checks. Instead of checking divisibility up to the number itself, you only need to check up to the square root of the number. This significantly reduces the number of checks, especially for larger numbers.
Explanation
A number doesn’t need to be divisible by any number greater than its square root. If a number is divisible by a factor larger than its square root, the corresponding smaller factor would have already been detected. This method dramatically improves efficiency for larger numbers.
Working Algorithm Steps
Code Sample (Square Root Optimization)
public class PrimeNumber {
public static void main(String[] args) {
for (int num = 2; num <= 100; num++) {
boolean isPrime = true;
for (int i = 2; i <= Math.sqrt(num); i++) {
if (num % i == 0) {
isPrime = false;
break;
}
}
if (isPrime) {
System.out.println(num);
}
}
}
}
Code Explanation
Output:
2
3
5
7
11
13
17
19
23
29
31
37
41
43
47
53
59
61
67
71
73
79
83
89
97
Time Complexity Analysis
This approach has a worst-case time complexity of O(√n). In practice, you may see big performance improvements compared to the O(n) brute force, especially when n is large.
When to Use the Square Root Optimization Method?
The 6k ± 1 method is an optimized approach for finding prime numbers based on mathematical patterns. Instead of checking every number for primality, this method reduces the number of candidates before applying a primality test, making it more efficient than a naive brute-force check.
Why Does the 6k ± 1 Formula Work?
All prime numbers greater than 3 can be expressed as either of the following two:
Here, k is a positive integer.
This method eliminates numbers that are definitely composite (multiples of 2 or 3) before performing a full prime check.
However, not all numbers of the form 6k ± 1 are prime — they still need to be checked using a primality test.
Algorithm Steps
Code Sample (6k ± 1 Optimized Method)
import java.util.ArrayList;
public class PrimeNumber6kMethod {
public static void main(String[] args) {
int n = 100; // Upper limit to find primes up to 100
ArrayList<Integer> primes = new ArrayList<>();
// Step 1: Add the first three prime numbers explicitly
if (n >= 2) primes.add(2);
if (n >= 3) primes.add(3);
if (n >= 5) primes.add(5);
// Step 2: Generate numbers using 6k ± 1 pattern and check for primality
for (int k = 1; 6 * k - 1 <= n || 6 * k + 1 <= n; k++) {
int num1 = 6 * k - 1; // 6k - 1
int num2 = 6 * k + 1; // 6k + 1
// Check if num1 is prime and within the limit
if (num1 <= n && isPrime(num1)) {
primes.add(num1);
}
// Check if num2 is prime and within the limit
if (num2 <= n && isPrime(num2)) {
primes.add(num2);
}
}
// Step 3: Print the prime numbers in a readable format
System.out.println("Prime numbers from 1 to " + n + ":");
for (int prime : primes) {
System.out.print(prime + " ");
}
}
// Helper method to check if a number is prime
public static boolean isPrime(int num) {
if (num <= 1) return false; // 0 and 1 are not prime
if (num <= 3) return true; // 2 and 3 are prime numbers
// Eliminate even numbers and multiples of 3
if (num % 2 == 0 || num % 3 == 0) return false;
// Check divisibility up to the square root of num
for (int i = 5; i * i <= num; i += 6) {
if (num % i == 0 || num % (i + 2) == 0) return false;
}
return true;
}
}
Code Explanation
Output:
Prime numbers from 1 to 100:
2 3 5 7 11 13 17 19 23 29 31 37 41 43 47 53 59 61 67 71 73 79 83 89 97
Time Complexity Analysis
When to Use the 6k ± 1 Prime Number Method?
The arithmetic method for finding prime numbers refers to any approach that applies mathematical patterns to efficiently determine primes while reducing unnecessary checks. Unlike brute-force methods that check every number one by one, arithmetic-based techniques use number properties to filter out composites early.
Several arithmetic methods exist, including:
You have already explored the 6k ± 1 method. This section will focus on the simplest arithmetic-based method: the Sieve of Eratosthenes, which efficiently finds all prime numbers from 1 to 100.
Algorithm Steps (Sieve of Eratosthenes)
Code Sample (Sieve of Eratosthenes - Arithmetic Prime Number Method)
import java.util.Arrays;
public class PrimeNumberArithmeticMethod {
public static void main(String[] args) {
int n = 100; // Upper limit
boolean[] isPrime = new boolean[n + 1];
// Step 1: Assume all numbers are prime initially
Arrays.fill(isPrime, true);
// Step 2: 0 and 1 are not prime numbers
isPrime[0] = false;
isPrime[1] = false;
// Step 3: Start marking multiples of primes
for (int p = 2; p * p <= n; p++) {
if (isPrime[p]) { // If p is prime, mark its multiples
for (int multiple = p * p; multiple <= n; multiple += p) {
isPrime[multiple] = false;
}
}
}
// Step 4: Print all prime numbers
System.out.println("Prime numbers from 1 to " + n + ":");
for (int i = 2; i <= n; i++) {
if (isPrime[i]) {
System.out.print(i + " ");
}
}
}
}
Code Explanation
Output:
Prime numbers from 1 to 100:
2 3 5 7 11 13 17 19 23 29 31 37 41 43 47 53 59 61 67 71 73 79 83 89 97
Time Complexity Analysis
When to Use the Arithmetic (Sieve) Prime Number Method?
The Wheel Factorization method is an advanced arithmetic approach to efficiently filter prime numbers by eliminating multiples of small prime numbers before performing any divisibility checks.
This technique is an extension of the 6k ± 1 method, skipping not just multiples of 2 and 3, but also higher prime factors like 5, 7, and beyond, making prime detection even faster.
Why Use the Wheel Factorization Method?
The basic idea behind wheel factorization is that primes tend to be spaced in predictable patterns after eliminating small prime multiples. The larger the wheel, the more numbers you can skip and the fewer checks you need to perform.
What Is a Prime Wheel?
Each larger wheel skips more numbers and ensures we only check the smallest set of potential primes.
Algorithm Steps (Wheel Factorization for Prime Numbers)
Code Sample (Wheel Factorization for Prime Numbers in Java)
import java.util.ArrayList;
import java.util.Arrays;
public class PrimeNumberWheelFactorization {
public static void main(String[] args) {
int n = 100; // Upper limit
ArrayList<Integer> primes = new ArrayList<>();
// Step 1: Manually add the first few small primes
if (n >= 2) primes.add(2);
if (n >= 3) primes.add(3);
if (n >= 5) primes.add(5);
if (n >= 7) primes.add(7);
// Step 2: Create a boolean array for prime markings
boolean[] isPrime = new boolean[n + 1];
Arrays.fill(isPrime, true);
// Step 3: Eliminate known small prime multiples
for (int i = 2; i * i <= n; i++) {
if (isPrime[i]) {
for (int multiple = i * i; multiple <= n; multiple += i) {
isPrime[multiple] = false;
}
}
}
// Step 4: Generate potential prime candidates using the 30k wheel pattern
int[] wheel = {1, 7, 11, 13, 17, 19, 23, 29}; // Numbers not divisible by 2, 3, or 5
for (int k = 1; 30 * k <= n; k++) {
for (int offset : wheel) {
int candidate = 30 * k + offset;
if (candidate <= n && isPrime[candidate]) {
primes.add(candidate);
}
}
}
// Step 5: Print the prime numbers in a readable format
System.out.println("Prime numbers from 1 to " + n + ":");
for (int prime : primes) {
System.out.print(prime + " ");
}
}
}
Code Explanation
Output:
Prime numbers from 1 to 100:
2 3 5 7 11 13 17 19 23 29 31 37 41 43 47 53 59 61 67 71 73 79 83 89 97
Time Complexity Analysis
When to Use the Wheel Factorization Prime Number Method?
Printing prime numbers from 1 to 100 in Java using the count method is a straightforward way to understand prime number detection.
This method offers a straightforward way to check for primes, although it’s not as efficient as the square root or 6k ± 1 methods.
Explanation
In this method, you count how many numbers divide into the current number. If only two divisors are found (1 and the number itself), the number is prime.
Algorithm Steps
Code Sample (Count Prime Method in Java):
public class PrimeNumber {
public static void main(String[] args) {
for (int num = 2; num <= 100; num++) {
int count = 0;
for (int i = 1; i <= num; i++) {
if (num % i == 0) {
count++;
}
}
if (count == 2) {
System.out.println(num);
}
}
}
}
Code Explanation:
Output:
2 3 5 7 11 13 17 19 23 29 31 37 41 43 47 53 59 61 67 71 73 79 83 89 97
Time Complexity Analysis
When to Use the Count Prime Number Method?
Finding prime numbers in a given range is an essential task in many programming problems, especially in fields like cryptography, number theory, and data science.
It involves iterating through the numbers in a given range and checking each one to see if it meets the criteria of being a prime.
This process generally requires checking divisibility from 2 up to the number minus one.
Let’s dive into different methods you can use to find prime numbers in Java and see how you can implement each one with simple loops or even recursion.
The for-loop method is one of the most straightforward ways to check whether a number is prime within a given range. You iterate over each number in the range and check whether it is divisible by any smaller numbers.
If it is not divisible by any number other than 1 and itself, it is prime.
Overview of the Method
This method uses a for loop to iterate through all numbers in the specified range.
Steps Followed
Example Code
public class PrimeInRange {
public static void main(String[] args) {
int start = 10; // Start of range
int end = 50; // End of range
System.out.println("Prime numbers between " + start + " and " + end + " are:");
for (int num = start; num <= end; num++) {
boolean isPrime = true;
for (int i = 2; i < num; i++) {
if (num % i == 0) {
isPrime = false;
break;
}
}
if (isPrime && num > 1) {
System.out.println(num);
}
}
}
}
Code Explanation
Benefits
Drawbacks
It is inefficient for large numbers or ranges because it checks divisibility up to n−1, which becomes slow as the numbers grow larger.
Also Read: For Loop in Java
The while loop method works similarly to the for loop method but uses a while loop instead. This method is especially useful when you want more control over the loop conditions or don’t know the number of iterations in advance.
Overview of the Method
This approach uses a while loop to iterate through numbers in the specified range, checking each one for primality. The logic remains the same as that of the for-loop method, but here, the iteration and checks are performed using a while loop.
Steps Followed
Example Code
public class PrimeInRangeWhile {
public static void main(String[] args) {
int start = 10; // Start of range
int end = 50; // End of range
System.out.println("Prime numbers between " + start + " and " + end + " are:");
int num = start;
while (num <= end) {
boolean isPrime = true;
int i = 2;
while (i <= Math.sqrt(num)) {
if (num % i == 0) {
isPrime = false;
break;
}
i++;
}
if (isPrime && num > 1) {
System.out.println(num);
}
num++;
}
}
}
Code Explanation
Benefits
Drawback
It can still be inefficient for larger ranges since you check divisibility for each number.
Also Read: Java Do While Loop With Examples
Recursion is a more advanced technique for checking whether a number is prime. In recursion, a function calls itself to break down the problem into smaller, simpler subproblems. While recursion can be elegant, it might not always be the most efficient approach, especially for large ranges.
Overview of the Method
In this method, recursion checks whether a number is divisible by any number starting from 2, up to its square root.
The base case is simple:
While this approach offers an elegant solution, its major drawback is the overhead of recursive function calls, especially for large numbers. But for smaller ranges, it’s a clean and efficient way to demonstrate recursion.
Steps Followed
Example Code
public class PrimeRecursion {
public static void main(String[] args) {
int number = 29; // Example number
if (isPrime(number, 2)) {
System.out.println(number + " is a prime number.");
} else {
System.out.println(number + " is not a prime number.");
}
}
public static boolean isPrime(int number, int divisor) {
// Base case: If divisor exceeds square root of number, it is prime
if (divisor > Math.sqrt(number)) {
return true;
}
// If number is divisible by any divisor, it is not prime
if (number % divisor == 0) {
return false;
}
// Recursive call with the next divisor
return isPrime(number, divisor + 1);
}
}
Output:
29 is a prime number.
Why Does It Work?
Elegance and Efficiency
Recursion's elegance lies in its simplicity:
Also Read: Recursion in Data Structure: How Does it Work, Types & When Used
When numbers exceed the range of standard data types, you can rely on BigInteger. Java provides isProbablePrime(int certainty) to handle huge values. It uses advanced algorithms like Miller-Rabin behind the scenes.
Key Steps to Follow
Code Example
import java.math.BigInteger;
public class PrimeCheckBigInteger {
public static void main(String[] args) {
// Example 11-digit prime
BigInteger bigNum = new BigInteger("32416190071");
if (bigNum.isProbablePrime(10)) {
System.out.println(bigNum + " is probably prime.");
} else {
System.out.println(bigNum + " is not prime.");
}
}
}
Time Complexity Analysis
A probabilistic test like Miller-Rabin performs quickly even for extremely large numbers. It rarely misidentifies composites as primes when the certainty level is sufficient.
When to Use the BigInteger Method?
A prime series in Java refers to a sequence of prime numbers printed or stored using different approaches. You can generate a prime series using methods like trial division, square root optimization, the Sieve of Eratosthenes, or 6k ± 1 filtering.
Depending on your requirements, you might need to follow the steps listed below:
Each of these tasks can be achieved using different prime-checking methods.
Below are various ways to generate a prime series in Java for a specific range.
If you need to print all prime numbers between two given numbers, here’s what you need to do:
Code Example (Prime Series in a Range)
public class PrimeSeriesInRange {
public static boolean isPrime(int n) {
if (n <= 1) {
return false;
}
if (n == 2) {
return true;
}
if (n % 2 == 0) {
return false;
}
for (int i = 3; i <= Math.sqrt(n); i += 2) {
if (n % i == 0) {
return false;
}
}
return true;
}
public static void main(String[] args) {
int start = 10;
int end = 30;
System.out.println("Prime series in Java from " + start + " to " + end + ":");
for (int num = start; num <= end; num++) {
if (isPrime(num)) {
System.out.print(num + " ");
}
}
}
}
Output:
Prime series in Java from 10 to 30:
11 13 17 19 23 29
Sometimes, you may need the first N prime numbers rather than a range-based series.
Here’s what you need to do in this method:
Code Example (Print First N Primes)
public class PrimeSeriesFirstN {
public static boolean isPrime(int n) {
if (n <= 1) {
return false;
}
if (n == 2) {
return true;
}
if (n % 2 == 0) {
return false;
}
for (int i = 3; i <= Math.sqrt(n); i += 2) {
if (n % i == 0) {
return false;
}
}
return true;
}
public static void main(String[] args) {
int N = 10; // Print first 10 prime numbers
int count = 0;
int num = 2;
System.out.println("Prime series in Java for the first " + N + " prime numbers:");
while (count < N) {
if (isPrime(num)) {
System.out.print(num + " ");
count++;
}
num++;
}
}
}
Output:
Prime series in Java for the first 10 prime numbers:
2 3 5 7 11 13 17 19 23 29
If you need to store prime numbers for later use, here’s what you can do:
Code Example (Storing a Prime Series in an ArrayList)
import java.util.ArrayList;
public class PrimeSeriesStorage {
public static boolean isPrime(int n) {
if (n <= 1) {
return false;
}
if (n == 2) {
return true;
}
if (n % 2 == 0) {
return false;
}
for (int i = 3; i <= Math.sqrt(n); i += 2) {
if (n % i == 0) {
return false;
}
}
return true;
}
public static void main(String[] args) {
int n = 50; // Generate prime series up to 50
ArrayList<Integer> primes = new ArrayList<>();
for (int i = 2; i <= n; i++) {
if (isPrime(i)) {
primes.add(i);
}
}
System.out.println("Stored prime series in Java up to " + n + ": " + primes);
}
}
Output:
Stored prime series in Java up to 50: [2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47]
Also Read: Java Program to Print Prime Numbers in a Given Range
Prime numbers aren’t just mathematical curiosities – they have practical uses in computing and everyday technology.
Here are some real-world applications of prime numbers that show why understanding primes (and programming them) is so important:
Primes form the backbone of public-key encryption algorithms like RSA. The security of RSA comes from the fact that while it’s easy to multiply two large primes, it’s insanely hard to factor the result back into primes. This one-way difficulty keeps your data safe.
Primes also power digital signatures – ensuring documents or software haven’t been tampered with by using large prime-based keys
They’re also used in algorithms like the Blum Blum Shub generator in cryptography.
In computer science, they’re used in algorithms for randomized algorithms and primality testing – which is literally what we’re discussing today. Primes also intrigue mathematicians and programmers in computational number theory and competitive programming challenges.
Also Read: Public Key Cryptography Beginner’s Guide: How Does it Work?
Ready to begin your Java development journey? Explore upGrad’s Core Java Basics free course to get a solid foundation in programming and start learning today.
Hands-on coding cements these concepts in your mind.
You may try the following ideas:
When you perform these exercises, pay attention to performance, clarity, and correctness. Writing tests for each method (including random test data) goes a long way toward boosting your confidence in their reliability.
Building a career in programming is no longer just about writing lines of code — it’s about mastering the real-world skills that companies demand. upGrad ensures that you learn and apply what you learn to solve real challenges.
Here’s how upGrad helps you build the expertise needed to succeed in the world of coding:
Here are a few upGrad coding and programming courses that will help you launch your development career:
Ready to kickstart your development career? Book a free career counseling session with upGrad today and start building the future you’ve always dreamed of.
Similar Blogs and Tutorials You Might Find Useful:
Boost your career with our popular Software Engineering courses, offering hands-on training and expert guidance to turn you into a skilled software developer.
Master in-demand Software Development skills like coding, system design, DevOps, and agile methodologies to excel in today’s competitive tech industry.
Stay informed with our widely-read Software Development articles, covering everything from coding techniques to the latest advancements in software engineering.
Get Free Consultation
By submitting, I accept the T&C and
Privacy Policy
India’s #1 Tech University
Executive PG Certification in AI-Powered Full Stack Development
77%
seats filled
Top Resources