Goroutine 行為:解開謎團
我們在提供的Go 程式碼中偶然發現了一個令人困惑的行為:
package main import ( "fmt" "time" ) type field struct { name string } func (p *field) print() { fmt.Println(p.name) } func main() { data := []field{{"one"}, {"two"}, {"three"}} for _, v := range data { go v.print() } <-time.After(1 * time.Second) }
問題出現了:為什麼這段程式碼總是印“三”三次,而不是顯示“一”, “二”和“三”任意順序?
理解問題
問題的癥結在於使用goroutine 函數中的範圍變數 v。
當我們寫 v.print() 時,我們實際上傳遞了一個指向變數 v 的指針,它是一個引用到範圍資料循環中的當前元素。然而,循環繼續迭代,修改 v 的值。
goroutine 執行時,剛好得到了 v 的最終值,即「三」。這會產生三個“三”的意外輸出。
解決問題:多種方法
有多種方法可以解決此問題:
1.使用短變數宣告:
建立一個新變數v,其作用域為循環的每次迭代:
for _, v := range data { v := v // Short variable declaration to create a new `v`. go v.print() }
2.使用指標切片:
將資料類型變更為指標切片並將各個指標傳給goroutine函數:
data := []*field{{"one"}, {"two"}, {"three"}} // Note the '*' for _, v := range data { go v.print() }
3.使用切片元素的位址:
取得每個切片元素的位址並將指標傳遞給goroutine 函數:
data := []*field{{"one"}, {"two"}, {"three"}} // Note the '*' for i := range data { v := &data[i] go v.print() }
結論
請記住,如果循環修改了範圍變數的位址,則可能會導致 goroutine 中發生意外行為變數。透過使用上面概述的技術,我們可以確保每個 goroutine 接收到唯一的值並避免資料競爭問題。
以上是為什麼這段 Go 程式碼印了三次「三」而不是「一」、「二」和「三」?的詳細內容。更多資訊請關注PHP中文網其他相關文章!