The For-Select Loop
Let's see how we can combine the `for` and `select` statements in order to communicate over channels in Go.
We'll cover the following...
The for-select loop can be structured as follows:
Press + to interact
for { //either range over a channel or loop infinitelyselect {//handle channel operations}}
First, let’s try to loop over something that goes on infinitely.
Press + to interact
package mainimport "fmt"func getNews(newsChannel chan string){NewsArray := [] string {"Roger Federer wins the Wimbledon","Space Exploration has reached new heights","Wandering cat prevents playground accident"}for _, news := range NewsArray{newsChannel <- news}newsChannel <- "Done"close(newsChannel)}func main() {myNewsChannel := make(chan string)go getNews(myNewsChannel)for {select{case news := <-myNewsChannel:fmt.Println(news)if news == "Done"{return}default:}}}
You might have wondered why the loop did not run infinitely. Well, that’s because I checked for my "Done"
signal and returned from ...