1.for循环没有语句体,只有分号时不会使程序出错或陷入死循环,其后面的语句正常执行
for (; ; ) ;//死循环
for (; ; ) 一条语句;//死循环
for (; ; ) {语句};//死循环
public class Demo01 {
public static void main(String[] agrs) {
for (int i = 1; i < 10; i++) ;
{
System.out.println("正常运行");
}
}
}
/**
* 正常运行
*/
2.while条件判断后加分号会使程序陷入无限循环,因为while的条件一直为true,而不是格式错误无法编译
public class Demo01 {
public static void main(String[] agrs) {
int test = 0;
while (test < 10) ;
{
System.out.println("正常运行");
test++;
}
}
}
/**
* 程序死循环,无法停止
*/
3.while循环与for循环一样,如果循环语句只有一句,则可以省略大括号,另外 int a = 10; (该语句为2条语句)
看下面这个死循环,该死循环后面还有其他永远无法执行的语句,但该程序没有报错,能正常编译运行,(说明编译器认为后面的语句可能被执行,因此没有编译报错)
public class Demo01 {
public static void main(String[] agrs) {
int test = 0;
while (test < 10) test++;
{
System.out.println("正常运行");
test++;
}
}
}
/**
* 正常运行
*/
4.while语句大括号后可以加分号
public class Demo01 {
public static void main(String[] agrs) {
int test = 0;
while (test < 10) {
int a = 10;
test++;
};
}
}
/**
* 正常运行
*/