-
Notifications
You must be signed in to change notification settings - Fork 0
CommonMistakes
(TODO: Add table of contents.)
When new programmers start using Go or when old Go programmers start using a new concept, there are some common mistakes that many of them make. Here is a non-exhaustive list of some frequent mistakes that show up on the mailing lists and in IRC.
When iterating in Go, one might also be tempted to use goroutines to process data in parallel. For example, you might write the following code (TODO: What is wrong with example from the following code?):
for val := range values {
go val.my_method()
}
or if you wanted to process values coming in from a channel in their own goroutines, you might write something like this, using a closure:
for val := range values {
go func() {
fmt.Println(val)
}()
}
If you don't immediately see the problem with the above code, take a second to see if you can figure out what is wrong with it before you keep reading.
The val
variable in the above loops is actually a single variable that takes on the value of each slice element. Because the closures are all only bound to that one variable, there is a very good chance that when you run this code you will see the last element printed for every iteration instead of each value in sequence, because the goroutines will probably not begin executing until after the loop.
The proper way to write that closure loop is:
for val := range values {
go func(val interface{}) {
fmt.Println(val)
}(val)
}
By adding val as a parameter to the closure, val
is evaluated at each iteration and placed on the stack for the goroutine, so each slice element is available to the goroutine when it is eventually executed.
It is also important to note that variables declared within the body of a loop are not shared between iterations, and thus can be used separately in a closure. The following code uses a common index variable i
to create separate val
s, which results in the expected behavior:
for i := range valslice {
val := valslice[i]
go func() {
fmt.Println(val)
}()
}
Note that without executing this closure as a goroutine, the code runs as expected. The following example prints out the integers between 1 and 10.
for i := 1; i <= 10; i++ {
func() {
fmt.Println(i)
}()
}
Even though the closures all still close over the same variable (in this case, i
), they are executed before the variable changes, resulting in the desired behavior.
- Home
- Getting started with Go
- Working with Go
- Learning more about Go
- The Go Community
- Using the Go toolchain
- Additional Go Programming Wikis
- Online Services that work with Go
- Troubleshooting Go Programs in Production
- Contributing to the Go Project
- Platform Specific Information
- Release Specific Information