The simplest form of the for loop is shown here:
for(initialization; condition; iteration) statement;
initialization sets a loop control variable to an initial value.
condition is a Boolean expression that tests the loop control variable.
If condition is true, the for loop continues to iterate.
If condition is false, the loop terminates.
The iteration determines how the loop control variable is changed each time the loop iterates.
Here is a short program that illustrates the for loop:
public class Main {
public static void main(String args[]) {
int i;
for (i = 0; i < 10; i = i + 1)
System.out.println("This is i: " + i);
}
}
This program generates the following output:
This is i: 0
This is i: 1
This is i: 2
This is i: 3
This is i: 4
This is i: 5
This is i: 6
This is i: 7
This is i: 8
This is i: 9
i is the loop control variable.
i is initialized to zero in the initialization.
At the start of each iteration, the conditional test x < 10 is performed.
If the outcome of this test is true, the println() statement is executed, and then the iteration portion of the loop is executed.
This process continues until the conditional test is false.
The following code loops reversively:
public class Main {
public static void main(String args[]) {
for (int n = 10; n > 0; n--)
System.out.println("n:" + n);
}
}
The output:
n:10
n:9
n:8
n:7
n:6
n:5
n:4
n:3
n:2
n:1