Go routine 不接收通过通道发送的所有数据——玩具示例程序

Go routine not receiving all data sent through channel -- toy example program

我只是在玩 Go,可以说是试驾一下。我遇到一个问题,一个打算接收 3 整数的 go 例程似乎只接收一个。

type simpleFunction func() int

func run(fChan chan simpleFunction, result chan int) {
  for{
    select {
    case fn := <-fChan:
      fmt.Printf("sending: %d down result chan\n", fn())
      result <- fn()
    case <-time.After(time.Second * 2):
      close(fChan)
    }
  }
}

func recieve(result chan int){
  for {
    select {
    case x := <-result:
      fmt.Printf("recieved: %d from result chan\n", x)
    case <-time.After(time.Second * 2):
      close(result)
    }
  }
}

因此,如您所见,run 例程接收函数,对其求值,然后将结果发送到 result 通道。

这是我的 main/test:

func main() {
  fns := []simpleFunction{
    func() int {return 1},
    func() int {return 2},
    func() int {return 3},
  }

  fChan := make(chan simpleFunction)
  result := make(chan int)

  go run(fChan, result)
  go recieve(result)
  for _, fn := range fns {
    fmt.Printf("sending a function that returns: %d down function chan\n", fn())
    fChan <- fn
  }
} 

这是我的输出:

sending a function that returns: 1 down function chan
sending: 1 down result chan
recieved: 1 from result chan
sending a function that returns: 2 down function chan
sending a function that returns: 3 down function chan
sending: 2 down result chan
sending: 3 down result chan

因此,如您所见,第一个功能似乎一切顺利,但之后就没那么热了。有什么提示或建议吗?

这段代码有几个问题:

  • 程序在 main returns 时终止。它不会等待 runreceive goroutines 完成。
  • 有一场关于关闭频道的竞赛。不能保证发件人会在超时之前发送。
  • 如果 main 不退出,那么 for { select { } } 循环将永远旋转并打印零值。在关闭的通道上接收 returns 零值。