[last updated: 2019-06-13]
go to: Java
go to: Java Notes
-----
- Program control Loops:
Some instructions in methods are "loops." There are 3 types of loops in Java: 'while', 'do-while', and 'for' loops:
- 'while' loop syntax:
while (boolean-expression) {
[statements] }
The loop will repeatedly execute 'statements' as long as 'boolean-expression' evaluates to true.
- 'do-while' loop syntax:
do {
[statements] }
while (boolean-expression);
Similar to a while loop, except that the do-while loop statements will always execute at least once, because the boolean-expression is evaluated after the first do execution.
- 'for' loop syntax:
for (initialization; boolean-expression; update-increment) {
[statements] }
For example:
initialization might be: a = 1,
boolean-expression might be: a < 10
and update-increment might be: a = a + 1.
In this example, each time through the loop, a will be increased by 1
and the loop will be repeated until a < 10 is false.
- break & continue statements:
- If a 'break;' statement occurs in a loop, execution stops immediately and proceeds to the first statement after the loop.
- If a 'continue;' statement occurs in a for-loop, execution jumps immediately to the next update statement.
- If a 'continue;' statement occurs in a while or do-while loop, execution jumps immediately to the boolean-expression test.
.
.
.
eof