当我们需要重复执行一个语句块时,就会使用C / C++中的循环。
在研究C或C++中的“ for”循环时,我们已经知道迭代次数是事先已知的,即我们需要知道执行循环体的次数。 C / C++中的while循环用于事先不知道确切的循环迭代次数的情况。根据测试条件终止循环执行。
句法:
while (test_expression)
{
// statements
update_expression;
}
While循环的各个部分是:
- 测试表达式:在此表达式中,我们必须测试条件。如果条件的计算结果为true,那么我们将执行循环的主体并更新表达式。否则,我们将从while循环中退出。
例子:i <= 10
- 更新表达式:执行循环主体后,此表达式将循环变量增加/减少一些值。
例子:i++;
While循环如何执行?
- 控制陷入while循环。
- 流程跳至条件
- 条件已测试。
- 如果“条件”得出的结果为true,则流进入“身体”。
- 如果Condition的结果为false,则流程进入循环之外
- 循环体内的语句将被执行。
- 更新发生。
- 控制流回到步骤2。
- do-while循环已结束,流程已流出。
while循环流程图(用于控制流):
示例1:该程序将尝试打印5次“ Hello World”。
C
// C program to illustrate while loop
#include
int main()
{
// initialization expression
int i = 1;
// test expression
while (i < 6) {
printf("Hello World\n");
// update expression
i++;
}
return 0;
}
C++
// C++ program to illustrate while loop
#include
using namespace std;
int main()
{
// initialization expression
int i = 1;
// test expression
while (i < 6) {
cout << "Hello World\n";
// update expression
i++;
}
return 0;
}
C
// C program to illustrate while loop
#include
int main()
{
// initialization expression
int i = 1;
// test expression
while (i > -5) {
printf("%d\n", i);
// update expression
i--;
}
return 0;
}
C++
// C++ program to illustrate while loop
#include
using namespace std;
int main()
{
// initialization expression
int i = 1;
// test expression
while (i > -5) {
cout << i << "\n";
// update expression
i--;
}
return 0;
}
输出:
Hello World
Hello World
Hello World
Hello World
Hello World
空运行示例1:该程序将以以下方式执行。
1. Program starts.
2. i is initialized with value 1.
3. Condition is checked. 1 < 6 yields true.
3.a) "Hello World" gets printed 1st time.
3.b) Updation is done. Now i = 2.
4. Condition is checked. 2 < 6 yields true.
4.a) "Hello World" gets printed 2nd time.
4.b) Updation is done. Now i = 3.
5. Condition is checked. 3 < 6 yields true.
5.a) "Hello World" gets printed 3rd time
5.b) Updation is done. Now i = 4.
6. Condition is checked. 4 < 6 yields true.
6.a) "Hello World" gets printed 4th time
6.b) Updation is done. Now i = 5.
7. Condition is checked. 5 < 6 yields true.
7.a) "Hello World" gets printed 5th time
7.b) Updation is done. Now i = 6.
8. Condition is checked. 6 < 6 yields false.
9. Flow goes outside the loop to return 0.
范例2:
C
// C program to illustrate while loop
#include
int main()
{
// initialization expression
int i = 1;
// test expression
while (i > -5) {
printf("%d\n", i);
// update expression
i--;
}
return 0;
}
C++
// C++ program to illustrate while loop
#include
using namespace std;
int main()
{
// initialization expression
int i = 1;
// test expression
while (i > -5) {
cout << i << "\n";
// update expression
i--;
}
return 0;
}
输出:
1
0
-1
-2
-3
-4
相关文章:
- C和C++中的循环
- C / C++ For循环与示例
- C / C++在示例中执行while循环
- C,C++, Javawhile和do-while循环之间的区别
- C,C++, Java的for和while循环之间的区别
想要从精选的最佳视频中学习和练习问题,请查看《基础知识到高级C的C基础课程》。