1for(int i = 0; i < 10; i++)
2{
3 //do something
4
5 //NOTE: the integer name does not need to be i, and the loop
6 //doesn't need to start at 0. In addition, the 10 can be replaced
7 //with any value. In this case, the loop will run 10 times.
8 //Finally, the incrementation of i can be any value, in this case,
9 //i increments by one. To increment by 2, for example, you would
10 //use "i += 2", or "i = i+2"
11}
1// Starting on 0:
2for(int i = 0; i < 5; i++) {
3 System.out.println(i + 1);
4}
5
6// Starting on 1:
7for(int i = 1; i <= 5; i++) {
8 System.out.println(i);
9}
10
11
12// Both for loops will iterate 5 times,
13// printing the numbers 1 - 5.
1for(/*index declaration*/int i=0; /*runs as long as this is true*/
2 i<=5; /*change number at end of loop*/i++){
3doStuff();
4
5}
1for(int i = 0; i < 10; i++){
2 System.out.println(i);
3 //this will print out every number for 0 to 9.
4}
1public class ForLoop {
2 public static void main(String[] args) {
3 for (int i = 0; i < 5; i++) {
4 // Will do this 5 times.
5 System.out.println("Iteration #: " + i);
6 }
7 }
8}