for…each
Java 流程控制语句语法与 c/c++ 类型,也有 if…else、while、do…while、for、switch…case 等,但是 Java 还有一个独特的流程控制语句 for…each,下面举个例子说明
public class for1{
public static void main(String[] args) {
int[] intary = { 1,2,3,4};
forDisplay(intary);
foreachDisplay(intary);
}
public static void forDisplay(int[] a){
System.out.println("使用 for 循环数组");
for (int i = 0; i < a.length; i++) {
System.out.print(a[i] + " ");
}
System.out.println();
}
public static void foreachDisplay(int[] data){
System.out.println("使用 foreach 循环数组");
for (int a : data) {
System.out.print(a+ " ");
}
}
}
while循环
最基本的循环——while,他的结构为:
while(布尔表达式) { //不能用1代替true
//循环内容
}
do…while循环
对于 while 语句而言,如果不满足条件,则不能进入循环,有时候我们需要即使不满足条件,也至少执行一次,do…while 就是这样
do {
//代码语句
}while(布尔表达式);
for循环
关于 for 循环有这么几点说明:
- 最先执行初始化步骤,可以声明一种类型,但可以初始化一个或多个变量,也可以是空语句
- 检测布尔表达式的值,如果为 true,循环体被执行。如果为 false,循环终止,开始执行循环体后面的语句
- 执行一次循环后,更新循环控制变量
- 再次检测布尔表达式,循环执行上面的过程
for(初始化; 布尔表达式; 更新) {
//代码语句
}
break 关键字
break 主要用在循环语句或者 switch语句中,用于跳出整个语句块
public class Test {
public static void main(String args[]) {
int[] numbers = { 10, 20, 30, 40, 50 };
for (int x : numbers) {
// x 等于 30 时跳出循环
if (x == 30)
break;
System.out.print(x);
System.out.print("\n");
}
}
}
continue 关键字
continue 作用是让程序立刻跳转到下一次循环的迭代。
在 for 循环中,continue 语句使程序立即跳转到更新语句。
在 while 或者do…while循环中,程序立即跳转到布尔表达式的判断语句。
switch 语句
switch 语句有如下规则:
- switch 语句中的变量类型可以是: byte、short、int 或者 char。从 Java SE 7 开始,switch 支持字符串类型了 (c/c++ 是不支持的),同时 case 标签必须为字符串常量或字面量。
- switch 语句可以拥有多个 case 语句。每个 case 后面跟一个要比较的值和冒号。
- case 语句中的值的数据类型必须与变量的数据类型相同,而且只能是常量或者字面常量。
- 当变量的值与 case 语句的值相等时,那么 case 语句之后的语句开始执行,直到 break 语句出现才会跳出 switch 语句。
- 当遇到 break 语句时,switch 语句终止。程序跳转到 switch 语句后面的语句执行。case 语句不必须要包含 break 语句。如果没有 break 语句出现,程序会继续执行下一条 case 语句,直到出现 break 语句。
- switch 语句可以包含一个 default 分支,该分支必须是 switch 语句的最后一个分支。default 在没有 case 语句的值和变量值相等的时候执行。default 分支不需要 break 语句。
public class Test {
public static void main(String args[]) {
// char grade = args[0].charAt(0);
char grade = 'C';
switch (grade) {
case 'A':
System.out.println("优秀");
break;
case 'B':
case 'C':
System.out.println("良好");
break;
case 'D':
System.out.println("及格");
case 'F':
System.out.println("你需要再努力努力");
break;
default:
System.out.println("未知等级");
}
System.out.println("你的等级是 " + grade);
}
}