C语言break和continue用法详解(附带实例)
C语言编程过程中,有时会遇到这样的情况,不管表达式检验的结果如何,都需要强行终止循环,这时可以使用 break 语句。
break 语句用于终止并跳出当前循环,然后继续执行后面的代码。break 语句的一般形式如下:
break 语句不能用于除循环语句和 switch 语句之外的任何其他语句中。另外,在多层循环嵌套的情况下,使用 break 语句只能跳出当前循环,这点一定要注意。
【实例】使用 for 语句执行循环输出 10 次的操作,在循环体中判断输出的次数。当循环变量为 5 次时,使用 break 语句跳出循环,终止循环输出操作。
continue 语句的一般形式如下:
注意,continue 语句和 break 语句的区别是:continue 语句只结束本次循环,而不是终止整个循环的执行;break 语句则是结束整个循环过程,不再判断执行循环的条件是否成立。
【实例】本实例与上面的例子基本相似,区别在于将使用 break 语句的位置改写成了 continue。因为 continue 语句只结束本次循环,所以剩下的循环还是会继续执行。
break 语句用于终止并跳出当前循环,然后继续执行后面的代码。break 语句的一般形式如下:
break;例如,在 while 循环语句中使用 break 语句:
while(1){ printf("Break"); break; }在上述代码中,while 语句是一个条件永远为真的循环,但由于在其中使用了 break 语句,使得程序流程跳出循环。
break 语句不能用于除循环语句和 switch 语句之外的任何其他语句中。另外,在多层循环嵌套的情况下,使用 break 语句只能跳出当前循环,这点一定要注意。
注意,循环体中的 break 语句和 switch case 分支结构中的 break 语句的作用是不同的。
【实例】使用 for 语句执行循环输出 10 次的操作,在循环体中判断输出的次数。当循环变量为 5 次时,使用 break 语句跳出循环,终止循环输出操作。
#include <stdio.h> int main() { int iCount; /* 定义循环控制变量 */ for(iCount = 0; iCount < 10; iCount++) /* 执行 10 次循环 */ { if(iCount == 5) /* 判断条件,如果 iCount 等于 5,则跳出 */ { printf("Break here\n"); /* 跳出循环 */ break; /* 跳出循环 */ } printf("the counter is: %d\n", iCount); /* 输出循环的次数 */ } return 0; }运行程序,结果为:
the counter is: 0
the counter is: 1
the counter is: 2
the counter is: 3
the counter is: 4
Break here
C语言continue语句
在某些情况下,程序需要返回到循环头部继续执行,而不是跳出循环,此时可以使用 continue 语句。continue 语句的一般形式如下:
continue;
其作用就是结束本次循环,即跳过循环体中尚未执行的部分,直接执行下一次的循环操作。注意,continue 语句和 break 语句的区别是:continue 语句只结束本次循环,而不是终止整个循环的执行;break 语句则是结束整个循环过程,不再判断执行循环的条件是否成立。
【实例】本实例与上面的例子基本相似,区别在于将使用 break 语句的位置改写成了 continue。因为 continue 语句只结束本次循环,所以剩下的循环还是会继续执行。
#include <stdio.h> int main() { int iCount; /* 定义循环控制变量 */ for(iCount = 0; iCount < 10; iCount++) /* 执行 10 次循环 */ { if(iCount == 5) /* 判断条件,如果 iCount 等于 5,则跳出 */ { printf("Continue here\n"); /* 跳出循环 */ continue; /* 跳出本次循环 */ } printf("the counter is: %d\n", iCount); /* 输出循环的次数 */ } return 0; }运行程序,结果为:
the counter is: 0
the counter is: 1
the counter is: 2
the counter is: 3
the counter is: 4
Continue here
the counter is: 6
the counter is: 7
the counter is: 8
the counter is: 9