Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

The differences between channel buffer capacity of zero and one in golang

Tags:

go

I have set channel buffer size to zero, like var intChannelZero = make(chan int) , when getting value from the intChannelZero will be blocked until the intChannelZero has value.

Also, I set channel buffer size to one, like var intChannelOne = make(chan int, 1), when getting value from the intChannelOne will be blocked until the intChannelOne has value.

We know the capacity of intChannelZero is zero, the capacity of intChannelOne is one, so I want to know:

  • When putting a value to the intChannelZero like intChannelZero <- 1, where the value be saved?
  • The differences between intChannelZero and intChannelOne when putting a value to them.

Who can explain it at the level of Golang Runtime Enviroment? Thanks a lot.

like image 450
Shuai Junlan Avatar asked Nov 17 '18 04:11

Shuai Junlan


1 Answers

If the channel is unbuffered (capacity is zero), then communication succeeds only when the sender and receiver are both ready.

If the channel is buffered (capacity >= 1), then send succeeds without blocking if the channel is not full and receive succeeds without blocking if the buffer is not empty.

When putting a value to the intChannelZero like intChannelZero <- 1, where the value be saved?

The value is copied from the sender to the receiver. The value is not saved anywhere other than whatever temporary variables the implementation might use.

The differences between intChannelZero and intChannelOne when putting a value to them.

Send on intChannelZero blocks until a receiver is ready.

Send on intChannelOne blocks until space is available in the buffer.

like image 109
Bayta Darell Avatar answered Oct 13 '22 19:10

Bayta Darell