For Loop in Java
In this tutorial, we will learn about for loops in Java. We will cover the basics of iterative execution using for loops.
What is a For Loop
A for loop is a control flow statement that allows code to be executed repeatedly based on a given Boolean condition. The loop is typically used when the number of iterations is known before entering the loop.
Syntax
The syntax for the for loop in Java is:
for (initialization; condition; increment) {
// Code block to be executed
}
The for loop evaluates the initialization statement, then the condition. If the condition is true, the code block inside the loop is executed. After each iteration, the increment statement is executed, and the condition is re-evaluated. This process repeats until the condition becomes false.
Example 1: Printing Numbers from 1 to 10
- Declare an integer variable
i
. - Use a for loop to print numbers from 1 to 10.
Java Program
public class Main {
public static void main(String[] args) {
for (int i = 1; i <= 10; i++) {
System.out.print(i + " ");
}
}
}
Output
1 2 3 4 5 6 7 8 9 10
Example 2: Calculating the Factorial of a Number
- Declare an integer variable
n
andfactorial
. - Assign a value to
n
. - Initialize
factorial
to 1. - Use a for loop to calculate the factorial of
n
. - Print the factorial.
Java Program
public class Main {
public static void main(String[] args) {
int n = 5;
int factorial = 1;
for (int i = 1; i <= n; i++) {
factorial *= i;
}
System.out.println("Factorial of " + n + " is " + factorial);
}
}
Output
Factorial of 5 is 120
Example 3: Summing the Elements of an Array
- Declare an array of integers
arr
and an integer variablesum
. - Initialize the array with values.
- Initialize
sum
to 0. - Use a for loop to calculate the sum of the elements in
arr
. - Print the sum.
Java Program
public class Main {
public static void main(String[] args) {
int[] arr = {1, 2, 3, 4, 5};
int sum = 0;
for (int i = 0; i < arr.length; i++) {
sum += arr[i];
}
System.out.println("Sum of the elements in the array is " + sum);
}
}
Output
Sum of the elements in the array is 15