Consumer Producer implementation with golang | Akshay Deo Consumer Producer implementation with golang · Akshay Deo

Consumer Producer implementation with golang


Today I invested my whole day in evaluating GoLang for one of our component implementations. Since the first document, I got impressed by it’’’s construct. Till I reached the ultimate problem solution for our case, I fell in love with this new language. It gives you the power of OS level constructs keeping a lot of overheads hidden from you. I was playing with a lot of simple problems while reading the documentation and here I am sharing one of those implementation and will discuss how simple it is to implement pretty complex problems with GoLang.

Classic Consumer-Producer problem

You can find some classic implemetations here.

GoLang implementation:

package main
import (
"fmt"
"strconv" // added for giving proper name to job
"time" // added for delaying consecutive inserts into job queue
)
func main() {
jobQueue := make(chan string, 200)
done := make(chan bool,1)
// consumer
go func() {
for {
job := <-jobQueue
fmt.Println("Got job:", job)
}
done <- true
}()
// producer
go func() {
i := int64(0)
for {
jobQueue &lt;- strconv.FormatInt(i, 10)
time.Sleep(time.Second \* 5) // to wait for 5 seconds before adding one more job
i++
}
done <- true
}()
<-done
}

Components

Channels
Channels are the basic inter go-routine communication model. If you are a Java developer you can consider it as array blocking queue, which is mostly used for inter-thread communication.

Go routine
Go routines are the lightweight Thread implementation for Go.

You can learn Go with some amazing examples here. Initial impressions of Go are pretty good. Will share more info as we discover it during our implementations.


powered by TinyLetter



Comments