Go通道範圍範例


前面的例子中,我們已經看到了forrange語句如何為基本資料結構提供疊代。還可以使用此語法對從通道接收的值進行疊代。

此範圍在從佇列接收到的每個元素上進行疊代。因為關閉了上面的通道,疊代在接收到2個元素後終止。

這個範例還示出可以關閉非空通道,但仍然接收剩餘值。

所有的範例程式碼,都放在 F:\worksp\golang 目錄下。安裝Go程式設計環境請參考:/2/23/798.html

range-over-channels.go的完整程式碼如下所示 -

package main

import "fmt"

func main() {

    // We'll iterate over 2 values in the `queue` channel.
    queue := make(chan string, 2)
    queue <- "one"
    queue <- "two"
    close(queue)

    // This `range` iterates over each element as it's
    // received from `queue`. Because we `close`d the
    // channel above, the iteration terminates after
    // receiving the 2 elements.
    for elem := range queue {
        fmt.Println(elem)
    }
}

執行上面程式碼,將得到以下輸出結果 -

F:\worksp\golang>go run range-over-channels.go
one
two