Go - Select 语句



Go 编程语言中 select 语句的语法如下 -


select {
	 	case communication clause 	:
	 	 	 statement(s); 	 	 	
	 	case communication clause 	:
	 	 	 statement(s);	
	 	/* 你可以有任意数量的案例陈述 */
	 	default : /* 随意的 */
	 	 	 statement(s);
}

以下规则适用于 select 语句 -

  • select 中可以有任意数量的 case 语句。每个 case 后跟 to be compare to 的值和一个冒号。
  • case 的类型必须是 a communication channel 操作。
  • 当 channel 操作发生时,将执行该情况之后的语句。case 语句中不需要中断。
  • select 语句可以具有可选的 default case,该大小写必须出现在 select 的末尾。当所有 case 都不为 true 时,默认 case 可用于执行任务。默认情况下不需要中断。


package main

import "fmt"

func main() {
	 	var c1, c2, c3 chan int
	 	var i1, i2 int
	 	select {
	 	 	 case i1 = <-c1:
	 	 	 	 	fmt.Printf("received ", i1, " from c1\n")
	 	 	 case c2 <- i2:
	 	 	 	 	fmt.Printf("sent ", i2, " to c2\n")
	 	 	 case i3, ok := (<-c3): 	// same as: i3, ok := <-c3
	 	 	 	 	if ok {
	 	 	 	 	 	 fmt.Printf("received ", i3, " from c3\n")
	 	 	 	 	} else {
	 	 	 	 	 	 fmt.Printf("c3 is closed\n")
	 	 	 	 	}
	 	 	 default:
	 	 	 	 	fmt.Printf("no communication\n")
	 	} 	 	
} 		

编译并执行上述代码时,它会产生以下结果——

no communication