DEV Community

Robin Moffatt
Robin Moffatt

Posted on • Originally published at rmoff.net on

Learning Golang (some rough notes) - S01E09 - Concurrency (Channels, Goroutines)

A Tour of Go : Goroutines was OK but as with some previous material I headed over to Go by example for clearer explanations.

A Tour of Go : Select definitely needed a bit more explanation for me. I’ve annotated it with some inline comments

package main

import "fmt"

func fibonacci(c, quit chan int) {
    x, y := 0, 1
    // Loop forever
    for {
        select {
        // Try to write the value of x to the channel c
        case c <- x:
            // If that works then do the fibonacci thing
            x, y = y, x+y
        // Try to read from the quit channel
        case <-quit:
            // If there's a value to be read then exit out of the function
            fmt.Println("quit")
            return
        }
    }
}

func main() {
    c := make(chan int)
    quit := make(chan int)
    // Spin off a Goroutine
    go func() {
        // Do this ten times
        for i := 0; i < 10; i++ {
            // Print the next value from the channel
            fmt.Println(<-c)
        }
        // Once we've done it ten times, put a value onto the quit channel
        // which will cause the fibonacci function to return.
        quit <- 0
    }()
    // Run the function, passing in the two channels
    fibonacci(c, quit)
}
Enter fullscreen mode Exit fullscreen mode

As you might expect, if you move the call to fibonacci before the Goroutine then it blocks, since the function will be waiting forever to put a value onto the c channel or read from the quit channel. This causes the program to error:

fatal error: all goroutines are asleep - deadlock!
Enter fullscreen mode Exit fullscreen mode

I’ve been using VSCode to edit and run some of the Go exercises and found the step-into debugger useful for following some of the logic here. As you’d expect with a debugger, you can watch the value of variables as the code execution progresses, and do stuff like watch the contents of a channel. Here’s an example from where I’ve modified the channel to give it a buffer

c := make(chan int, 5)
Enter fullscreen mode Exit fullscreen mode

select01

Default Selection / time

👉 A Tour of Go : Default Selection

For me, this made the mistake of illustrating a new concept (default) with code that relied on other as-yet unexplained concepts. The problem with this is that you hit Run and see what it does and it seems to make sense, but in grokking the lines of code it’s not entirely clear.

We’ve been shown the select being used to choose which of the case statements can be run with the example of channels providing input - but in this code there’s no apparent channel declared:

func main() {
    tick := time.Tick(100 * time.Millisecond)
    boom := time.After(500 * time.Millisecond)
    for {
        select {
        case <-tick:
            fmt.Println("tick.")
        case <-boom:
            fmt.Println("BOOM!")
            return
        default:
            fmt.Println(" .")
            time.Sleep(50 * time.Millisecond)
        }
    }
}
Enter fullscreen mode Exit fullscreen mode

Maybe this is the Tour’s way to prod people into RTFM ;) Prompted by my puzzlement I went and looked up the time package and Tick function, which turns out to actually offer a channel - so this now makes sense.

Every 100 ms a Tick is sent to the channel, in between the default condition kicks in and sleeps for 50ms, and after 500ms the final condition is met and returns.

Exercise: Equivalent Binary Trees

👉 A Tour of Go : Exercise: Equivalent Binary Trees

There are times when I feel the absence of a formal CompSci background…and this is one of them :)

I found a useful video which explains Binary Trees in a good way (also this one, both linked to from here), which then set me up a bit more confidently to approach this exercise.

To start with I took the skeleton that the exercise provides and brought it into VSCode - it does useful things like code completion:

vscode01

First up I commented out the Same function, set up a simple for loop in main and a debug print in the Walk function, just to see what was going on

package main

import (
    "fmt"
    "golang.org/x/tour/tree"
)

// Walk walks the tree t sending all values
// from the tree to the channel ch.
func Walk(t *tree.Tree, ch chan int) {
    fmt.Printf("Walk: %v\n", t.Value)
}

// // Same determines whether the trees
// // t1 and t2 contain the same values.
// func Same(t1, t2 *tree.Tree) bool

func main() {
    c := make(chan int)
    go Walk(tree.New(1), c)
    for i := 0; i < 10; i++ {
        select {
        case <-c:
            fmt.Println(c)
        }
    }
}
Enter fullscreen mode Exit fullscreen mode

You get to see the first value of the tree node printed by the function, and then a deadlock from the select because nothing’s being written to the channel.

Walk: 10
fatal error: all goroutines are asleep - deadlock!
Enter fullscreen mode Exit fullscreen mode

If we add a default to the select

func main() {
    c := make(chan int)
    go Walk(tree.New(1), c)
    for i := 0; i < 10; i++ {
        select {
        case <-c:
            fmt.Println(c)
        default:
            fmt.Printf("default: %v\n", i)
        }
    }
}
Enter fullscreen mode Exit fullscreen mode

then we get this

default: 0
default: 1
default: 2
default: 3
default: 4
default: 5
default: 6
default: 7
default: 8
default: 9
Walk: 10
Enter fullscreen mode Exit fullscreen mode

What about passing the value back on the channel? You may notice the, ahem, 'deliberate' mistake that I made in the above code, where I did this

case <-c:
    fmt.Printf("Tree value: %v\n", c)
Enter fullscreen mode Exit fullscreen mode

If I put the value of the tree node on the channel in Walk it should get printed, right? Well…

function Walk: 10
Tree value: 0xc0000200c0
Enter fullscreen mode Exit fullscreen mode

Huh? What’s that 0xc0000200c0? It’s the channel itself, not the value that’s been passed into it. Instead we need:

case x := <-c:
    fmt.Printf("Tree value: %v\n", x)

function Walk: 10
Tree value: 10
Enter fullscreen mode Exit fullscreen mode

Now let’s do some actual walking! As the exercise tells us, the tree is a struct:

type Tree struct {
    Left *Tree
    Value int
    Right *Tree
}
Enter fullscreen mode Exit fullscreen mode

so as well as writing the Value to the channel, we will call the Walk function recursively on the child nodes of the current node—if there are any:

func Walk(t *tree.Tree, ch chan int) {
    ch <- t.Value
    if t.Left != nil {
        go Walk(t.Left, ch)
    }
    if t.Right != nil {
        go Walk(t.Right, ch)
    }
}
Enter fullscreen mode Exit fullscreen mode

This successfully walks the tree:

Tree value: 10
Tree value: 5
Tree value: 7
Tree value: 9
Tree value: 3
Tree value: 6
Tree value: 4
Tree value: 1
Tree value: 2
Tree value: 8
Enter fullscreen mode Exit fullscreen mode

What I’m not clear about from the text is if this list should be strictly in order. Having solutions linked to from the Tour exercises definitely would be useful.


Let’s carry on for now and look at the Same function. I got stuck on this one. Here’s as far as I got to start with:

func Same(t1, t2 *tree.Tree) bool {
    // Create a channel into which each tree's values will be written
    c1 := make(chan int)
    c2 := make(chan int)
    // Declare two variables that will be used to collate the
    // channel values
    var x1 []int
    var x2 []int
    // Walk the two trees
    go Walk(t1, c1)
    go Walk(t2, c2)
    // Receive the values
    for i := 0; i < 10; i++ {
        x := <-c1
        x1 = append(x1, x)
    }
    for i := 0; i < 10; i++ {
        x := <-c2
        x2 = append(x2, x)
    }

    fmt.Printf("\nx1 is %v\n", x1)
    fmt.Printf("\nx2 is %v\n", x2)

    // Not even doing the comparison yet
    return false
Enter fullscreen mode Exit fullscreen mode

This output:

x1 is [7 4 2 1 3 5 6 9 8 10]

x2 is [8 7 5 3 2 1 4 6 10 9]
Enter fullscreen mode Exit fullscreen mode

From this I need to return true if the two trees store the same values - which they do, but am I supposed to be sorting these results here? Flailing around somewhat, so off to Google to see what others have done.

Some time later…

So, looking at the problem again, let’s remind ourselves (me) what the tree can look like:

tree

Figure 1. Binary Sorted Tree illustration from https://tour.golang.org/concurrency/7

Since it is sorted, we know that the left child will always be the lower value than the right. So if we want to return the values in order, we can’t take the simple approach that I tried above of simply dumping the values as we encountered them on the traversal of the tree from the top-down. Instead we need to traverse to the bottom down the left-hand side and then make our way back up.

I found these two pages a useful resource for explaining this clearly and providing code to steal inspire me.

Both the solutions I found implemented a second function for walking, which now makes sense. It also makes clear how to use close which I’d been trying to fit in but couldn’t figure out how to do so :) Here’s the elegant solution from kaipakartik with my commented annotations

func Walk(t *tree.Tree, ch chan int) {
    // Synchronously call the recursive function for the current node
    WalkRecursive(t, ch)
    // Once we've processed every node, close the channel to indicate 
    // that we've finished (and thus allow range to be used)
    close(ch)
}

func WalkRecursive(t *tree.Tree, ch chan int) {
    // If this node isn't null
    if t != nil {
        // Keep traversing, down the left-hand side of the tree
        WalkRecursive(t.Left, ch)
        // Bearing in mind that this is a recursive function
        // we will eventually hit the bottom of the left-hand side
        // of the tree, and thus the above call to WalkRecursive will 
        // return and we can put our node's value onto the channel
        ch <- t.Value
        // Navigate any right-hand nodes too
        WalkRecursive(t.Right, ch)
    }
}
Enter fullscreen mode Exit fullscreen mode

with this in place the Walk function populates the channel in sequential order which thus results in:

func main() {
    c := make(chan int)
    go Walk(tree.New(1), c)
    fmt.Printf("Tree value: ")
    for i := 0; i < 10; i++ {
        x := <-c
        fmt.Printf("%v ", x)
    }

Tree value: 1 2 3 4 5 6 7 8 9 10 
Enter fullscreen mode Exit fullscreen mode

My existing Same code was based on the idea of filling two slices with the results and then comparing the final result, but a much smarter way again comes from these two pages, in which the results are compared one by one, since as soon as they diverge we can declare them to not be the same. As above, here’s kaipakartik's neat solution with my annotations:

func Same(t1, t2 *tree.Tree) bool {
    // Each tree is read into separate channels
    ch1, ch2 := make(chan int), make(chan int)
    // Asynchronously walk both trees into their
    // respective channels
    go Walk(t1, ch1)
    go Walk(t2, ch2)
    // Loop
    for {
        // Read the next value from each channel
        // Note that these will block (what happens if the trees are different sizes and ch2 is empty?)
        n1, ok1 := <- ch1
        n2, ok2 := <- ch2
        // If the values don't match, or one channel is closed whilst the 
        // other is not then we know they are not the same
        if ok1 != ok2 || n1 != n2 {
            // Exit and return false
            return false
        }
        // If the first channel has closed then break out of the loop
        // I guess you could just `return true` here directly? 
        if !ok1 {
            break;
        }
    }
    return true
}
Enter fullscreen mode Exit fullscreen mode

This works:

func main() {
    fmt.Printf("\n-> Comparing trees with the same contents : %v", Same(tree.New(1), tree.New(1)))
    fmt.Printf("\n-> Comparing trees with different contents: %v", Same(tree.New(1), tree.New(2)))
}

-> Comparing trees with the same contents : true
-> Comparing trees with different contents: false
Enter fullscreen mode Exit fullscreen mode

Top comments (0)