表達式 for...to 可用來逐一查看迴圈變數範圍的值。
語法
for identifier = start [ to | downto ] finish do
body-expression
備註
標識碼的類型是從 開始 和 完成 表達式的類型推斷而來。 這些表達式的類型必須是32位整數。
雖然在技術上是表達式, for...to 但更像是命令式程式設計語言中的傳統語句。
body-expression 的傳回型別必須是 unit。 下列範例顯示表達式的各種 for...to 用法。
// A simple for...to loop.
let function1() =
for i = 1 to 10 do
printf "%d " i
printfn ""
// A for...to loop that counts in reverse.
let function2() =
for i = 10 downto 1 do
printf "%d " i
printfn ""
function1()
function2()
// A for...to loop that uses functions as the start and finish expressions.
let beginning x y = x - 2*y
let ending x y = x + 2*y
let function3 x y =
for i = (beginning x y) to (ending x y) do
printf "%d " i
printfn ""
function3 10 4
上一個程式代碼的輸出如下所示。
1 2 3 4 5 6 7 8 9 10
10 9 8 7 6 5 4 3 2 1
2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18