java for i : I code example
Example 1: java for loop
for(int i = 0; i < 10; i++)
{
//do something
//NOTE: the integer name does not need to be i, and the loop
//doesn't need to start at 0. In addition, the 10 can be replaced
//with any value. In this case, the loop will run 10 times.
//Finally, the incrementation of i can be any value, in this case,
//i increments by one. To increment by 2, for example, you would
//use "i += 2", or "i = i+2"
}
Example 2: loop in java 8
List<Integer> data = new ArrayList<>();
//Indexed Loop
for(int i = 0,size=data.size();i<size;i++){
System.out.println(data.get(i));
}
//For each loop
for(Integer element : data){
System.out.println(element);
}
//Using forEach
data.forEach(System.out::println);
//Using Stream
data.stream().forEach(System.out::println)
//While loop
int i = 0;
while(i<data.size()){
System.out.println(data.get(i++));
}