C++ while循环



一个while循环语句重复执行目标语句,只要给定的条件为真。

语法

C++中while循环的语法如下:

while(condition) {
   statement(s);
}

这里,语句可以是单个语句或语句块。条件可以是任何表达式,真值为任何非零值。循环在条件为真时迭代。

当条件变为假时,程序控制传递到循环后紧跟的行。

流程图

C++ while loop

这里,while循环的关键点是循环可能永远不会运行。当测试条件且结果为假时,将跳过循环体,并执行while循环后的第一条语句。

示例

#include <iostream>
using namespace std;
 
int main () {
   // Local variable declaration:
   int a = 10;

   // while loop execution
   while( a < 20 ) {
      cout << "value of a: " << a << endl;
      a++;
   }
 
   return 0;
}

当以上代码被编译并执行时,它产生以下结果:

value of a: 10
value of a: 11
value of a: 12
value of a: 13
value of a: 14
value of a: 15
value of a: 16
value of a: 17
value of a: 18
value of a: 19
广告