for循环是使用最多的操作,因为其会将初始内容和循环条件一起编写。
语法如下:for(<初始化表达式>;<循环条件表达式>;<迭代表达式>)<语句>
例子:
public class Demo01{
public static void main(String args[]){
for(int x=0;x<10;x++){
System.out.println("x = " + x) ;
}
}
};
在循环中还存在着两个控制循环的语句:break、continue
public class Demo02 {
public static void main(String args[]){
for(int x=0;x<10;x++){
if(x==3){
break ;
}
System.out.println("x = " + x) ;
}
}
};
public class Demo03 {
public static void main(String args[]){
for(int x=0;x<10;x++){
if(x==3){
continue ;
}
System.out.println("x = " + x) ;
}
}
};
jdk1.5又增加了for(int arg:args){}循环,即for-each循环
public class Demo04{
public static void main(String args[]){
int[] a={1,2,3,4};
for(int i:a){
System.out.println(i);
}
}
} |