Completion requirements
Read this chapter, which explains while loops. This is in contrast to how a do-while loop works, which we will discuss later. In a do-while loop, the body of the loop is executed at least one time, whereas in a while loop, the loop may never execute if the loop condition is false.
4. More on the while Loop
Answer:
count = count + 2;
This adds two to the variable count
.
More on the while
Loop
while
Loop
Here is the part of the program responsible for the loop:
// start count out at one int count = 1; // loop while count is <= 3 while ( count <= 3 ) { System.out.println( "count is:" + count ); // add one to count count = count + 1; } System.out.println( "Done with the loop" ); |
Here is how it works in detail. Look especially at steps 7, 8, and 9.
Skip this page if you are clear how the while
loop works. But study it if you still have some doubts.
- The variable
count
is assigned a 1. - The condition
( count <= 3 )
is evaluated as true. - Because the condition is true, the block statement following the while is executed.
- The current value of
count
is written out: count is 1 count
is incremented by one, to 2.
- The current value of
- The condition
( count <= 3 )
is evaluated as true. - Because the condition is true, the block statement following the while is executed.
- The current value of
count
is written out. count is 2 count
is incremented by one, to 3.
- The current value of
- The condition
( count <= 3 )
is evaluated as true. - Because the condition is true, the block statement following the while is executed.
- The current value of
count
is written out. count is 3 count
is incremented by one, to 4.
- The current value of
- The condition
( count <= 3 )
is evaluated as FALSE. - Because the condition is FALSE, the block statement following the while is SKIPPED.
- The statement after the entire while-structure is executed.
- System.out.println( "Done with the loop" );
Question 4:
- How many times was the condition true?
- How many times did the block statement following the
while
execute?