抛出:所有够程都睡着了 - 僵局(throw: all goroutines are asleep

2019-06-18 03:45发布

考虑下面这个简单的围棋程序

package main

import (
    "fmt"
)

func total(ch chan int) {
    res := 0
    for iter := range ch {
        res += iter
    }
    ch <- res
}

func main() {
    ch := make(chan int)
    go total(ch)
    ch <- 1
    ch <- 2
    ch <- 3
    fmt.Println("Total is ", <-ch)
}

我想知道,如果有人可以告诉我,为什么我得到

throw: all goroutines are asleep - deadlock!

谢谢

Answer 1:

正如你永远不会关闭该ch通道,范围循环将永远不会结束。

你不能在同一通道上发回的结果。 一种解决方案是使用不同的一个。

你的程序可以适应这样的:

package main

import (
    "fmt"
)

func total(in chan int, out chan int) {
    res := 0
    for iter := range in {
        res += iter
    }
    out <- res // sends back the result
}

func main() {
    ch := make(chan int)
    rch  := make(chan int)
    go total(ch, rch)
    ch <- 1
    ch <- 2
    ch <- 3
    close (ch) // this will end the loop in the total function
    result := <- rch // waits for total to give the result
    fmt.Println("Total is ", result)
}


Answer 2:

这也是正确的。

package main

import "fmt"

func main() {
    c := make(chan int)
    go do(c)
    c <- 1
    c <- 2
    // close(c)
    fmt.Println("Total is ", <-c)
}

func do(c chan int) {
    res := 0
    // for v := range c {
    //  res = res + v
    // }
    for i := 0; i < 2; i++ {
        res += <-c
    }
    c <- res
    fmt.Println("something")
}


文章来源: throw: all goroutines are asleep - deadlock