📜  Golang中的单向通道

📅  最后修改于: 2021-10-24 14:26:06             🧑  作者: Mango

正如我们所知,通道是并发运行的 goroutine 之间的通信媒介,以便它们可以相互发送和接收数据。默认情况下,通道是双向的,但您也可以创建单向通道。只能接收数据的通道或只能发送数据的通道是单向通道。单向通道也可以在 make()函数的帮助下创建,如下所示:

// Only to receive data
c1:= make(<- chan bool)

// Only to send data
c2:= make(chan<-bool

示例 1:

// Go program to illustrate the concept
// of the unidirectional channel
package main
  
import "fmt"
  
// Main function
func main() {
  
    // Only for receiving
    mychanl1 := make(<-chan string)
  
    // Only for sending
    mychanl2 := make(chan<- string)
  
    // Display the types of channels
    fmt.Printf("%T", mychanl1)
    fmt.Printf("\n%T", mychanl2)
}

输出:

<-chan string
chan<- string

将双向通道转换为单向通道

在 Go 语言中,你可以将双向通道转换为单向通道,或者换句话说,你可以将双向通道转换为只接收或只发送通道,反之则不行。如以下程序所示:

例子:

// Go program to illustrate how to convert
// bidirectional channel into the
// unidirectional channel
package main
  
import "fmt"
  
func sending(s chan<- string) {
    s <- "GeeksforGeeks"
}
  
func main() {
  
    // Creating a bidirectional channel
    mychanl := make(chan string)
  
    // Here, sending() function convert
    // the bidirectional channel
    // into send only channel
    go sending(mychanl)
  
    // Here, the channel is sent 
    // only inside the goroutine
    // outside the goroutine the 
    // channel is bidirectional
    // So, it print GeeksforGeeks
    fmt.Println(<-mychanl)
}

输出:

GeeksforGeeks

单向通道的使用:单向通道用于提供程序的类型安全,使程序出错更少。或者,当您想创建只能发送或接收数据的通道时,也可以使用单向通道。