4.5.The while and do-while Statements
The while statement executes a sequence of statements indefinitely as long as a specific condition is satisfied. Its syntax can be articulated as:
while (expression) {
statement(s)
}
The expression is evaluated by the while statement, which must return a boolean value. The statement(s) in the while block are executed by the while statement if the expression evaluates to true. The expression is tested and its block is executed by the while statement until the expression is evaluated as false. The WhileDemo program illustrates how the values from 1 to 10 can be printed using the while statement:
class WhileDemo { public static void main(String[] args){ int count = 1; while (count < 11) { System.out.println("Count is: " + count); count++; } } }
The following is an example of how an infinite loop can be implemented using the while statement:
while (true){ // your code goes here }
Additionally, the Java programming language offers a do-while statement, which can be expressed as follows:
do { statement(s) } while (expression);
The main distinction between do-while and while is that do-while evaluates its expression at the bottom of the loop, rather than at the top. Consequently, the statements executed within the do block are always executed at least once, as demonstrated in the DoWhileDemo program below:
class DoWhileDemo { public static void main(String[] args){ int count = 1; do { System.out.println("Count is: " + count); count++; } while (count <= 11); } }