为什么我的并发函数在 Go 中过早退出?

我正在浏览 Go Bootcamp 并且正在阅读 Go Concurrency 一章。我之前在编程中从未使用过并发,不理解这个程序的输出:


package main


import (

    "fmt"

    "time"

)


func say(s string) {

    for i := 0; i < 2; i++ {

        time.Sleep(100 * time.Millisecond)

        fmt.Println(s)

    }

}


func main() {

    go say("world")

    say("hello")

}

输出:


hello

world

hello


Program exited.

有人可以解释为什么“世界”不像“你好”那样打印两次吗?也许阐明使用并发的想法?


请注意,此处为Go Playground 链接。


牛魔王的故事
浏览 142回答 1
1回答

aluckdog

当 main 返回时,Go 程序退出。在这种情况下,您的程序在退出之前不会等待最终的“世界”在另一个 goroutine 中打印出来。以下代码(playground)将确保 main 永远不会退出,从而允许其他 goroutine 完成。package mainimport (&nbsp; &nbsp; "fmt"&nbsp; &nbsp; "time")func say(s string) {&nbsp; &nbsp; for i := 0; i < 2; i++ {&nbsp; &nbsp; &nbsp; &nbsp; time.Sleep(100 * time.Millisecond)&nbsp; &nbsp; &nbsp; &nbsp; fmt.Println(s)&nbsp; &nbsp; }}func main() {&nbsp; &nbsp; go say("world")&nbsp; &nbsp; say("hello")&nbsp; &nbsp; select{}}您可能已经注意到,这会导致死锁,因为程序无法继续前进。您可能希望添加一个通道或一个 sync.Waitgroup 以确保程序在其他 goroutine 完成后立即干净地退出。例如(游乐场):func say(s string, ch chan<- bool) {&nbsp; &nbsp; for i := 0; i < 2; i++ {&nbsp; &nbsp; &nbsp; &nbsp; time.Sleep(100 * time.Millisecond)&nbsp; &nbsp; &nbsp; &nbsp; fmt.Println(s)&nbsp; &nbsp; }&nbsp; &nbsp; if ch != nil {&nbsp; &nbsp; &nbsp; &nbsp; close(ch)&nbsp; &nbsp; }}func main() {&nbsp; &nbsp; ch := make(chan bool)&nbsp; &nbsp; go say("world", ch)&nbsp; &nbsp; say("hello", nil)&nbsp; &nbsp; // wait for a signal that the other goroutine is done&nbsp; &nbsp; <-ch}
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Go