有的时候,我们可能需要多次执行同一块代码。一般情况下,语句是按顺序执行的:函数中的第一个语句先执行,接着是第二个语句,依此类推。编程语言提供了更为复杂执行路径的多种控制结构。循环语句允许我们多次执行一个语句或语句组,下面是大多数编程语言中循环语句的流程图:
for循环流程图.png
for循环示例如下:
#importint main(int argc, const char * argv[]) { @autoreleasepool { /* for循环*/ for (int i = 0; i < 10; i ++) { printf("i的值为:%i\n",i); } } return 0;}
运行结果为:
i的值为:0i的值为:1i的值为:2i的值为:3i的值为:4i的值为:5i的值为:6i的值为:7i的值为:8i的值为:9Program ended with exit code: 0
(二)while 循环
while 循环.png
while 循环示例如下:
#importint main(int argc, const char * argv[]) { @autoreleasepool { /* while循环*/ int a = 10; while (a < 15) { a++; printf("a 的值: %d\n", a); } } return 0;}
运行结果为:
a 的值: 11a 的值: 12a 的值: 13a 的值: 14a 的值: 15Program ended with exit code: 0(三)do...while 循环
do...while循环.png
do...while循环示例如下:
#importint main(int argc, const char * argv[]) { @autoreleasepool { /* do...while循环 */ /* do...while 循环与 while 循环类似,但是 do...while 循环会确保至少执行一次循环。*/ int a = 10; do { printf("a 的值: %d\n", a); a = a + 1; } while ( a < 20 ); } return 0;}
运行结果为:
a 的值: 10a 的值: 11a 的值: 12a 的值: 13a 的值: 14a 的值: 15a 的值: 16a 的值: 17a 的值: 18a 的值: 19Program ended with exit code: 0