在寫一個程式時,可能有一種情況,當你需要一遍又一遍的執行一些操作。在這樣的情況下,則需要寫迴圈語句,以減少程式碼的數量。
JavaScript支援所有必要的迴圈,以幫助您在所有程式設計的步驟。
在JavaScript中最基本的迴圈是while迴圈,這將在本教學中學習討論。
while (expression){ Statement(s) to be executed if expression is true }
while迴圈的目的是為了反復執行語句或程式碼塊(只要表示式為true)。一旦表示式為假,則迴圈將被退出。
下面的例子說明了一個基本的while迴圈:
<script type="text/javascript"> <!-- var count = 0; document.write("Starting Loop" + "<br />"); while (count < 10){ document.write("Current Count : " + count + "<br />"); count++; } document.write("Loop stopped!"); //--> </script>
這將產生以下結果:
Starting Loop Current Count : 0 Current Count : 1 Current Count : 2 Current Count : 3 Current Count : 4 Current Count : 5 Current Count : 6 Current Count : 7 Current Count : 8 Current Count : 9 Loop stopped!
do...while loop 類似於while迴圈,不同之處在於條件檢查發生在迴圈的末端。這意味著,在迴圈將總是至少執行一次,即使條件為假。
do{ Statement(s) to be executed; } while (expression);
注意在do... while迴圈的末尾使用分號。
如在上面的例子中編寫一個使用do... while迴圈程式。
<script type="text/javascript"> <!-- var count = 0; document.write("Starting Loop" + "<br />"); do{ document.write("Current Count : " + count + "<br />"); count++; }while (count < 0); document.write("Loop stopped!"); //--> </script>
這將產生以下結果:
Starting Loop Current Count : 0 Loop stopped!