Go:致命錯誤「所有Goroutine 都處於睡眠狀態- 死鎖」解釋
在Go 中,送到無緩衝通道會阻塞發送者,直到接收器可用。在提供的程式碼中,負責向 file1chan 通道發送單字的 goroutine 是唯一的 goroutine,並且沒有接收者。因此,發送者被無限期地阻塞,導致死鎖。
使用新 Goroutine 的解決方案:
一個解決方案是建立一個單獨的 Goroutine 來處理傳送字。這個goroutine不會阻塞主goroutine並允許並發執行。
func main() { f, _ := os.Open("D:\input1.txt") scanner := bufio.NewScanner(f) file1chan := make(chan string) go func() { // start a new goroutine that sends strings down file1chan for scanner.Scan() { line := scanner.Text() // Split the line on a space parts := strings.Fields(line) for i := range parts { file1chan <- parts[i] } } close(file1chan) }() print(file1chan) // read strings from file1chan }
使用緩衝通道的解決方案:
另一個解決方案是建立一個緩衝通道,它允許同時發送和接收多個值。對於給定的問題,緩衝區大小為 1 就足夠了。
func main() { f, _ := os.Open("D:\input1.txt") scanner := bufio.NewScanner(f) file1chan := make(chan string, 1) // buffer size of one for scanner.Scan() { line := scanner.Text() // Split the line on a space parts := strings.Fields(line) for i := range parts { file1chan <- parts[i] } } close(file1chan) // we're done sending to this channel now, so we close it. print(file1chan) }
以上是如何解決 Go 中的'All Goroutines Are Asleep - Deadlock”錯誤?的詳細內容。更多資訊請關注PHP中文網其他相關文章!