1、while语句
while(表达式)
循环语句:
例题:打印1-10:
#include<stdio.h>
int main()
{
int i = 1;
while (i <= 10)
{
printf("%d\n", i);
i++;
}
return 0;
}
输出结果为:
while()中表达式为非0,就会返回继续循环,直到为0才会停止循环。
2、while循环中break和continue的作用。
break的作用:
#include<stdio.h>
int main()
{
int i = 1;
while (i <= 10)
{
if (i == 5)
break;
printf("%d\n", i);
i++;
}
return 0;
}
在i=5时,break起作用,跳出while循环,因此结果是打印了1-4.
continue的作用:
#include<stdio.h>
int main()
{
int i = 1;
while (i <= 10)
{
if (i ==5)
continue;
printf("%d\n", i);
i++;
}
return 0;
}
结果是:
程序并未结束,在i=5时陷入死循环。
continue作用:跳过continue后面的代码,直接从头开始。