與在迴圈頂部測試迴圈條件的while
迴圈語句不同,do...while
迴圈檢查迴圈底部的條件。 一個do...while
迴圈類似於while
迴圈,除了do...while
迴圈保證至少執行一次。
以下是do...while
迴圈的語法。
do {
statement(s);
} while( condition );
請注意,條件(condition
)表示式出現在迴圈的末尾,因此迴圈中的語句在測試條件之前執行一次。 如果條件為真,則控制流程跳回來執行,並且迴圈中的語句再次執行。 該過程重複,直到給定條件變為假。
流程圖
嘗試以下範例程式來了解Scala程式設計語言中的do...while
迴圈控制語句。
object Demo {
def main(args: Array[String]) {
// Local variable declaration:
var a = 10;
// do loop execution
do {
println( "Value of a: " + a );
a = a + 1;
}
while( a < 20 )
}
}
將上述程式儲存在原始檔:Demo.scala 中,使用以下命令編譯和執行此程式。
$ scalac Demo.scala
$ scala Demo
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