D 编程 - Do...While 循环



forwhile循环不同,它们在循环顶部测试循环条件,D 编程语言中的do...while循环在循环底部检查其条件。

do...while循环类似于while循环,但do...while循环至少执行一次。

语法

D 编程语言中do...while循环的语法为

do {
   statement(s);
} while( condition );

请注意,条件表达式出现在循环的末尾,因此循环中的语句在条件被测试之前执行一次。

如果条件为真,则控制流跳回到do,并且循环中的语句再次执行。此过程重复,直到给定条件变为假。

流程图

do...while loop in D

示例

import std.stdio;

int main () {
   /* local variable definition */
   int a = 10;

   /* do loop execution */
   do{
      writefln("value of a: %d", a);
      a = a + 1;
   }while( a < 20 );
 
   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
d_programming_loops.htm
广告