今天大概閱讀了一下Golang的並行運算,以下簡要概括並行運算
go func() // 可以啟動一個協程
可以同時運行多個協程,協程之間通訊使用channel(通道)來進行協程間通訊
channel的定義如下
c := chan string
意味著這是一個string類型的通道
channel可以理解為一個隊列,先進者先出,但是它只能佔有一個元素的位置,我們可以義如下方法添加/讀取元素,<- 是一個運算子
c <- "hello" //把"hello"加入到c通道中msg := <- c // 將c中的"hello"取出到msg裡
在並行運算時我們可能需要從多個通道讀取訊息,此時我們用到
for{ select{ case msg1 := channel_1: fmt.Println(msg1) case msg2 := channel_2: fmt.Println(msg2) }}
此時如果channel_1和channel_2兩個通道都一直沒有訊息,那麼該協程將會被阻塞在select語句,直到channel_1或者channel_2有訊息為止
那如何解決阻塞問題呢?
我們需要在select中再添加一種情況,代碼如下
for{ select{ case msg1 := <- channel_1: fmt.Println(msg1) case msg2 := <- channel_2: fmt.Println(msg2) case msg3 := <- time.After(time.second*5): fmt.Println("get message time out, check again...") }}
意思是如果在select中停留5秒鐘還沒有收到channel1和channel2的訊息,那麼time.After(time.second*5)
就會返回一個搭載了目前時間的一個通道,此時select就能正確響應了
看到這裡博主就有點呆了
不太理解time.After()這是一個什麼東西,居然能夠這麼神奇地等待5秒鐘就可以返回通道
於是無奈之下只能瞅一瞅time.After的原始碼,因為是第一天學Go語言所以很多東西還是不太懂,只能看懂大概的
大概的情況是這樣的:
// 函數原型// 檔案:../time/sleep.gofunc After(d Duration) <-chan Time { return NewTimer(d).C}func NewTimer(d Duration) *Timer { c := make(chan Time, 1) t := &Timer{ C: c, r: runtimeTimer{ when: when(d), f: sendTime, arg: c, }, } startTimer(&t.r) return t}type runtimeTimer struct { tb uintptr i int when int64 period int64 f func(interface{}, uintptr) // NOTE: must not be closure arg interface{} seq uintptr}
以上是涉及到time.After()的函數原型,time.After()執行的步驟是這樣子的:
- After()裡直接調用NewTimer(),在NewTimer裡建立一個Timer對象並將指標儲存在t裡,通過startTimer(&t.r)傳入runtimeTimer來建立一個協程,這個協程會在指定的時間(5秒)後將一個Time對象送入t.C這個通道中。(runtimeTimer這裡不深究)
- 將包含C(channel)和r(runtimeTimer)的t返回到After()函數的NewTimer(d)中
- After函數返回NewTimer(d).C,即After()最終返回的通道
- select此時已經過了5秒鐘,並檢測到了這個攜帶Time對象(目前時間)的通道的返回,便輸出“get message time out, check again...”
本文待更新....初學Golang,大佬路過請指正!