協調多個Goroutine 的終止
在Golang 中使用多個Goroutine 時,通常需要同步它們的執行,以便它們一起終止。一種常見的方法是利用通道來發出完成訊號。然而,如果 goroutine 沒有按預期順序終止,此方法可能會導致「寫入關閉通道」恐慌。
使用上下文進行 Goroutine 協調
A更好的解決方案涉及使用上下文。上下文提供了 goroutine 之間的通訊和取消機制。以下是在 Go 中實現此功能的方法:
package main import ( "context" "sync" ) func main() { // Create a context and a function to cancel it ctx, cancel := context.WithCancel(context.Background()) // Initialize a wait group to track goroutine completion wg := sync.WaitGroup{} wg.Add(3) // Add 3 goroutines to the wait group // Launch three goroutines // Each goroutine listens for the context to be done go func() { defer wg.Done() for { select { case <-ctx.Done(): // Context is canceled, end this goroutine } } }() go func() { defer wg.Done() for { select { case <-ctx.Done(): // Context is canceled, end this goroutine } } }() go func() { defer wg.Done() // Perform operations. // When operations are complete, call cancel to end all goroutines cancel() }() // Wait for all goroutines to finish wg.Wait() }
在此範例中,當第三個 Goroutine 完成其操作時,它會取消上下文。這會將取消傳播到其他 goroutine,導致它們也終止。透過使用上下文,我們消除了恐慌的可能性,並確保所有 goroutine 有效地協調它們的終止。
以上是如何優雅地終止 Go 中的多個 Goroutine?的詳細內容。更多資訊請關注PHP中文網其他相關文章!