C语言中的continue
语句用于继续执行循环(while
,do while
和for
)。 它与循环中的条件一起使用。
在内循环的情况下,它跳过当前迭代,继续内循环的下一个迭代。
语法
jump-statement;
continue;
跳转语句可以是while
,do while
和for
循环。
continue语句示例
打开Visual Studio创建一个名称为:continue的工程,并在这个工程中创建一个源文件:continue-statment.c,其代码如下所示 -
#include <stdio.h>
void main() {
int i = 1;//initializing a local variable
//starting a loop from 1 to 10
for (i = 1;i <= 10;i++) {
if (i == 5) {//if value of i is equal to 5, it will continue the loop
continue;
}
printf("%d \\n", i);
}//end of for loop
}
执行上面代码,得到以下结果 -
shell code-toolbar">1
2
3
4
6
7
8
9
10
如上输出所示,5
不会在控制台上打印,因为循环在i == 5
之后,执行continue
语句,跳过剩下的语句并开始下一个迭代。
continue与内循环
在这种情况下,C语言中continue
语句只继续内循环,而不是外循环。创建一个源文件:continue-inner-loop.c,其代码如下所示 -
#include <stdio.h>
#include <conio.h>
void main() {
int i = 1, j = 1;//initializing a local variable
for (i = 1;i <= 3;i++) {
for (j = 1;j <= 3;j++) {
if (i == 2 && j == 2) {
continue;//will continue loop of j only
}
printf("%d %d\\n", i, j);
}
}//end of for loop
}
执行上面代码,得到以下结果 -
1 1
1 2
1 3
2 1
2 3
3 1
3 2
3 3
如上面输出结果中所看到的,2 2
这一行数据并没有打印在控制台上,这是因为在内部循环在i == 2
和j == 2
执行continue
语句,跳过并进入下一个迭代。