概念簡介
超時對於一個連接外部資源,或者其它一些需要花費執行時間
的操作的程序而言是很重要的。得益於通道和 `select`,在 Go
中實現超時操作是簡潔而優雅的。
例程代碼
package main
import "time"
import "fmt"
func main() {
// 在我們的例子中,假如我們執行一個外部調用,並在 2 秒後
// 通過通道 `c1` 返回它的執行結果。
c1 := make(chan string, 1)
go func() {
time.Sleep(time.Second * 2)
c1 <- "result 1"
}()
// 這裏是使用 `select` 實現一個超時操作。
// `res := <- c1` 等待結果,`<-Time.After` 等待超時
// 時間 1 秒後發送的值。由於 `select` 默認處理第一個
// 已準備好的接收操作,如果這個操作超過了允許的 1 秒
// 的話,將會執行超時 case。
select {
case res := <-c1:
fmt.Println(res)
case <-time.After(time.Second * 1):
fmt.Println("timeout 1")
}
// 如果我允許一個長一點的超時時間 3 秒,將會成功的從 `c2`
// 接收到值,並且打印出結果。
c2 := make(chan string, 1)
go func() {
time.Sleep(time.Second * 2)
c2 <- "result 2"
}()
select {
case res := <-c2:
fmt.Println(res)
case <-time.After(time.Second * 3):
fmt.Println("timeout 2")
}
}
執行&輸出
# 運行這個程序,首先顯示運行超時的操作,然後是成功接收的。
$ go run timeouts.go
timeout 1
result 2
# 使用這個 `select` 超時方式,需要使用通道傳遞結果。這對於
# 一般情況是個好的方式,因為其他重要的 Go 特性是基於通道和
# `select` 的。接下來我們就要看到兩個例子:timer 和 ticker。
課程導航
學習上一篇:Go語言教程:通道選擇器 學習下一篇:Go語言教程:非阻塞通道操作
相關資料
本例程github源代碼:https://github.com/xg-wang/gobyexample/tree/master/examples/timeouts