4.6.The for Statement
The for statement is a concise method for iterating over a set of values. The “for loop” is a term frequently used by programmers to describe the process of iterating until a specific condition is met. In general, the for statement can be expressed as follows:
for (initialization; termination; increment) {
statement(s)
}
It is important to remember that the initialization expression is executed only once, at the beginning of the loop, when utilizing this variant of the for statement.
• The loop terminates when the termination expression is evaluated as false.
• The increment expression is executed after each iteration through the loop; it is entirely permissible for this expression to either increase or decrease a value.
The program ForDemo employs the general form of the for statement to print the digits 1 through 10 to standard output:
class ForDemo { public static void main(String[] args){ for(int i=1; i<11; i++){ System.out.println("Count is: " + i); } } }
This program generates the following output:
The output of this program is:
Count is: 1
Count is: 2
Count is: 3
Count is: 4
Count is: 5
Count is: 6
Count is: 7
Count is: 8
Count is: 9
Count is: 10
The code declares a variable within the initialization expression. This variable is applicable in the termination and increment expressions, as its scope extends from its declaration to the conclusion of the block governed by the for statement. It is advisable to declare the variable in the initialization expression if it is not required outside of the loop for the control of a for statement. The names i, j, and k are frequently employed to regulate for loops; however, designating them within the initialization expression reduces errors and restricts their lifespan.
The three expressions of the for loop are optional; an infinite loop can be generated by implementing the following:
for ( ; ; ) { // infinite loop
// your code goes here
}
Additionally, there is an alternative form of the for statement that is intended for iteration through arrays and collections. This format is occasionally associated with the “enhanced for” statement and can be implemented to optimize the readability and compactness of your loops. To illustrate, the array below contains the numerals 1 through 10:
int[] numbers = {1,2,3,4,5,6,7,8,9,10};
The enhanced for loop is being used in the following program, EnhancedForDemo, to iterate through the array:
class EnhancedForDemo { public static void main(String[] args){ int[] numbers = {1,2,3,4,5,6,7,8,9,10}; for (int item : numbers) { System.out.println("Count is: " + item); } } }
In this example, the variable item contains the current value from the numbers array. The output of this program is identical to that seen previously:
Count is: 1
Count is: 2
Count is: 3
Count is: 4
Count is: 5
Count is: 6
Count is: 7
Count is: 8
Count is: 9
Count is: 10
We recommend using this form of the for statement in favor of the general form whenever possible.