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.
8. Boundary Conditions
Answer:
count is 0
count is 1
count is 2
count is 3
Done with the loop
Boundary Conditions
To determine what a loop does, look at the following:
- Look at the initialization.
- Look at the condition to determine when the loop ends.
- Look at what change is made each time the loop body executes.
Sometimes these are called boundary conditions because they occur at the boundaries of the loop body and greatly affect what the loop does. The name "boundary condition" is an analogy to mathematics, where how a mathematical function behaves depends on its values at the boundaries of an interval.
Here is another version of the example fragment:
int count = 1;
while ( count < 4 ) // this is different
{
System.out.println( "count is:" + count );
count = count + 1;
}
System.out.println( "Done with the loop" );
The loop condition has been changed from the previous version.
Question 8:
What does the program print out?