21

次の簡単なGoプログラムがあるとします

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!

ありがとうございました

4

2 に答える 2

33

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)
}
于 2012-09-13T06:45:22.467 に答える
-3

これも正しいです。

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")
}
于 2016-12-22T12:01:59.390 に答える