Skip to content

Latest commit

 

History

History
41 lines (33 loc) · 884 Bytes

File metadata and controls

41 lines (33 loc) · 884 Bytes

Delayed Assignment

The initializer of a for loop can give an initial value to a variable declared outside of the loop.

~void main() {
int number;
for (number = 0; number < 5; number++) {
    IO.println("At: " + number);
}
~}

You might choose to do this so that after the loop is finished, you can still access the variable.

~void main() {
int number;
for (number = 0; number < 5; number++) {
    IO.println("At: " + number);
}

// This will work, we can access the variable still.
IO.println("Ended at: " + number);
~}

If you had put both the declaration and initial value inside the initializer, you won't be able to use that variable after the loop

~void main() {
for (int number = 0; number < 5; number++) {
    IO.println("At: " + number);
}

// This will not work. number is no longer available
IO.println("Ended at: " + number);
~}