Go by Example: [26] Channel Directions
Channel Directions
함수의 인자로 채널을 전달할때는, 채널로부터 메세지를 받는 용도인지 보내는 용도인지를 정할 수 있습니다.
이것은 프로그램의 용도를 분명하게하고 보다 안전하게 만들어주게 됩니다.
package main
import "fmt"
func ping(pings chan<- string, msg string) { // [1]
pings <- msg
}
func pong(pings <-chan string, pongs chan<- string) { // [2]
msg := <-pings
pongs <- msg
}
func main() {
pings := make(chan string, 1)
pongs := make(chan string, 1)
ping(pings, "passed message")
pong(pings, pongs)
fmt.Println(<-pongs)
}
ping()
함수는 채널에 값을 보내는 용도로 선언되어 있습니다. (chan<-
)
이 선언으로 컴파일시에 채널에서 문제가 발생해도 검출할 수 있습니다.pong()
함수는 수신용채널(pings
)과 송신용채널(pongs
)를 선언하고 있습니다.
실행하면 다음과 같습니다.
$ go run channel-directions.go
passed message