Styles are the conventions that govern our code. The term style is a bit of a misnomer, since these conventions cover far more than just source file formatting—gofmt handles that for us.
The goal of this guide is to manage this complexity by describing in detail the Dos and Don’ts of writing Go code at Uber. These rules exist to keep the code base manageable while still allowing engineers to use Go language features productively.
This guide was originally created by Prashant Varanasi and Simon Newton as a way to bring some colleagues up to speed with using Go. Over the years it has been amended based on feedback from others.
This documents idiomatic conventions in Go code that we follow at Uber. A lot of these are general guidelines for Go, while others extend upon external resources:
You almost never need a pointer to an interface. You should be passing interfaces as values—the underlying data can still be a pointer.
An interface is two fields:
A pointer to some type-specific information. You can think of this as “type.”
Data pointer. If the data stored is a pointer, it’s stored directly. If the data stored is a value, then a pointer to the value is stored.
If you want interface methods to modify the underlying data, you must use a pointer.
Verify Interface Compliance
Verify interface compliance at compile time where appropriate. This includes:
Exported types that are required to implement specific interfaces as part of their API contract
Exported or unexported types that are part of a collection of types implementing the same interface
Other cases where violating an interface would break users
Bad
Good
1 2 3 4 5 6 7 8 9 10 11 12
type Handler struct { // ... }
func(h *Handler) ServeHTTP( w http.ResponseWriter, r *http.Request, ) { ... }
1 2 3 4 5 6 7 8 9 10 11 12
type Handler struct { // ... }
var _ http.Handler = (*Handler)(nil)
func(h *Handler) ServeHTTP( w http.ResponseWriter, r *http.Request, ) { // ... }
The statement var _ http.Handler = (*Handler)(nil) will fail to compile if *Handler ever stops matching the http.Handler interface.
The right hand side of the assignment should be the zero value of the asserted type. This is nil for pointer types (like *Handler), slices, and maps, and an empty struct for struct types.
1 2 3 4 5 6 7 8 9 10 11 12 13
type LogHandler struct { h http.Handler log *zap.Logger }
var _ http.Handler = LogHandler{}
func(h LogHandler) ServeHTTP( w http.ResponseWriter, r *http.Request, ) { // ... }
Receivers and Interfaces
Methods with value receivers can be called on pointers as well as values. Methods with pointer receivers can only be called on pointers or addressable values.
// We cannot get pointers to values stored in maps, because they are not // addressable values. sVals := map[int]S{1: {"A"}}
// We can call Read on values stored in the map because Read // has a value receiver, which does not require the value to // be addressable. sVals[1].Read()
// We cannot call Write on values stored in the map because Write // has a pointer receiver, and it's not possible to get a pointer // to a value stored in a map. // // sVals[1].Write("test")
sPtrs := map[int]*S{1: {"A"}}
// You can call both Read and Write if the map stores pointers, // because pointers are intrinsically addressable. sPtrs[1].Read() sPtrs[1].Write("test")
Similarly, an interface can be satisfied by a pointer, even if the method has a value receiver.
The zero-value of sync.Mutex and sync.RWMutex is valid, so you almost never need a pointer to a mutex.
Bad
Good
1 2
mu := new(sync.Mutex) mu.Lock()
1 2
var mu sync.Mutex mu.Lock()
If you use a struct by pointer, then the mutex should be a non-pointer field on it. Do not embed the mutex on the struct, even if the struct is not exported.
result := make(map[string]int, len(s.counters)) for k, v := range s.counters { result[k] = v } return result }
// Snapshot is now a copy. snapshot := stats.Snapshot()
Defer to Clean Up
Use defer to clean up resources such as files and locks.
Bad
Good
1 2 3 4 5 6 7 8 9 10 11 12 13
p.Lock() if p.count < 10 { p.Unlock() return p.count }
p.count++ newCount := p.count p.Unlock()
return newCount
// easy to miss unlocks due to multiple returns
1 2 3 4 5 6 7 8 9 10 11
p.Lock() defer p.Unlock()
if p.count < 10 { return p.count }
p.count++ return p.count
// more readable
Defer has an extremely small overhead and should be avoided only if you can prove that your function execution time is in the order of nanoseconds. The readability win of using defers is worth the miniscule cost of using them. This is especially true for larger methods that have more than simple memory accesses, where the other computations are more significant than the defer.
Channel Size is One or None
Channels should usually have a size of one or be unbuffered. By default, channels are unbuffered and have a size of zero. Any other size must be subject to a high level of scrutiny. Consider how the size is determined, what prevents the channel from filling up under load and blocking writers, and what happens when this occurs.
Bad
Good
1 2
// Ought to be enough for anybody! c := make(chanint, 64)
1 2 3 4
// Size of one c := make(chanint, 1) // or // Unbuffered channel, size of zero c := make(chanint)
Start Enums at One
The standard way of introducing enumerations in Go is to declare a custom type and a const group with iota. Since variables have a 0 default value, you should usually start your enums on a non-zero value.
For example, 1 means that adding 24 hours to a time instant will not always yield a new calendar day.
Therefore, always use the "time" package when dealing with time because it helps deal with these incorrect assumptions in a safer, more accurate manner.
Use time.Time for instants of time
Use time.Time when dealing with instants of time, and the methods on time.Time when comparing, adding, or subtracting time.
Bad
Good
1 2 3
funcisActive(now, start, stop int)bool { return start <= now && now < stop }
funcpoll(delay time.Duration) { for { // ... time.Sleep(delay) } }
poll(10*time.Second)
Going back to the example of adding 24 hours to a time instant, the method we use to add time depends on intent. If we want the same time of the day, but on the next calendar day, we should use Time.AddDate. However, if we want an instant of time guaranteed to be 24 hours after the previous time, we should use Time.Add.
1 2
newDay := t.AddDate(0/* years */, 0/* months */, 1/* days */) maybeNewDay := t.Add(24 * time.Hour)
Use time.Time and time.Duration with external systems
Use time.Duration and time.Time in interactions with external systems when possible. For example:
When it is not possible to use time.Duration in these interactions, use int or float64 and include the unit in the name of the field.
For example, since encoding/json does not support time.Duration, the unit is included in the name of the field.
Bad
Good
1 2 3 4
// {"interval": 2} type Config struct { Interval int`json:"interval"` }
1 2 3 4
// {"intervalMillis": 2000} type Config struct { IntervalMillis int`json:"intervalMillis"` }
When it is not possible to use time.Time in these interactions, unless an alternative is agreed upon, use string and format timestamps as defined in RFC 3339. This format is used by default by Time.UnmarshalText and is available for use in Time.Format and time.Parse via time.RFC3339.
Although this tends to not be a problem in practice, keep in mind that the "time" package does not support parsing timestamps with leap seconds (8728), nor does it account for leap seconds in calculations (15190). If you compare two instants of time, the difference will not include the leap seconds that may have occurred between those two instants.
Errors
Error Types
There are few options for declaring errors. Consider the following before picking the option best suited for your use case.
Does the caller need to match the error so that they can handle it? If yes, we must support the errors.Is or errors.As functions by declaring a top-level error variable or a custom type.
Is the error message a static string, or is it a dynamic string that requires contextual information? For the former, we can use errors.New, but for the latter we must use fmt.Errorf or a custom error type.
Are we propagating a new error returned by a downstream function? If so, see the section on error wrapping.
For example, use errors.New for an error with a static string. Export this error as a variable to support matching it with errors.Is if the caller needs to match and handle this error.
No error matching
Error matching
1 2 3 4 5 6 7 8 9 10 11 12
// package foo
funcOpen()error { return errors.New("could not open") }
// package bar
if err := foo.Open(); err != nil { // Can't handle the error. panic("unknown error") }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
// package foo
var ErrCouldNotOpen = errors.New("could not open")
funcOpen()error { return ErrCouldNotOpen }
// package bar
if err := foo.Open(); err != nil { if errors.Is(err, foo.ErrCouldNotOpen) { // handle the error } else { panic("unknown error") } }
For an error with a dynamic string, use fmt.Errorf if the caller does not need to match it, and a custom error if the caller does need to match it.
No error matching
Error matching
1 2 3 4 5 6 7 8 9 10 11 12
// package foo
funcOpen(file string)error { return fmt.Errorf("file %q not found", file) }
// package bar
if err := foo.Open("testfile.txt"); err != nil { // Can't handle the error. panic("unknown error") }
if err := foo.Open("testfile.txt"); err != nil { var notFound *NotFoundError if errors.As(err, ¬Found) { // handle the error } else { panic("unknown error") } }
Note that if you export error variables or types from a package, they will become part of the public API of the package.
Error Wrapping
There are three main options for propagating errors if a call fails:
return the original error as-is
add context with fmt.Errorf and the %w verb
add context with fmt.Errorf and the %v verb
Return the original error as-is if there is no additional context to add. This maintains the original error type and message. This is well suited for cases when the underlying error message has sufficient information to track down where it came from.
Otherwise, add context to the error message where possible so that instead of a vague error such as “connection refused”, you get more useful errors such as “call service foo: connection refused”.
Use fmt.Errorf to add context to your errors, picking between the %w or %v verbs based on whether the caller should be able to match and extract the underlying cause.
Use %w if the caller should have access to the underlying error. This is a good default for most wrapped errors, but be aware that callers may begin to rely on this behavior. So for cases where the wrapped error is a known var or type, document and test it as part of your function’s contract.
Use %v to obfuscate the underlying error. Callers will be unable to match it, but you can switch to %w in the future if needed.
When adding context to returned errors, keep the context succinct by avoiding phrases like “failed to”, which state the obvious and pile up as the error percolates up through the stack:
Bad
Good
1 2 3 4 5
s, err := store.New() if err != nil { return fmt.Errorf( "failed to create new store: %w", err) }
1 2 3 4 5
s, err := store.New() if err != nil { return fmt.Errorf( "new store: %w", err) }
1
failed to x: failed to y: failed to create new store: the error
1
x: y: new store: the error
However once the error is sent to another system, it should be clear the message is an error (e.g. an err tag or “Failed” prefix in logs).
For error values stored as global variables, use the prefix Err or err depending on whether they’re exported. This guidance supersedes the Prefix Unexported Globals with _.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
var ( // The following two errors are exported // so that users of this package can match them // with errors.Is.
ErrBrokenLink = errors.New("link is broken") ErrCouldNotOpen = errors.New("could not open")
// This error is not exported because // we don't want to make it part of our public API. // We may still use it inside the package // with errors.Is.
errNotFound = errors.New("not found") )
For custom error types, use the suffix Error instead.
// And this error is not exported because // we don't want to make it part of the public API. // We can still use it inside the package // with errors.As.
Regardless of how the caller handles the error, it should typically handle each error only once. The caller should not, for example, log the error and then return it, because its callers may handle the error as well.
For example, consider the following cases:
Description
Code
Bad: Log the error and return it
Callers further up the stack will likely take a similar action with the error. Doing so causing a lot of noise in the application logs for little value.
1 2 3 4 5 6
u, err := getUser(id) if err != nil { // BAD: See description log.Printf("Could not get user %q: %v", id, err) return err }
Good: Wrap the error and return it
Callers further up the stack will handle the error. Use of %w ensures they can match the error with errors.Is or errors.As if relevant.
1 2 3 4
u, err := getUser(id) if err != nil { return fmt.Errorf("get user %q: %w", id, err) }
Good: Log the error and degrade gracefully
If the operation isn’t strictly necessary, we can provide a degraded but unbroken experience by recovering from it.
1 2 3 4 5 6
if err := emitMetrics(); err != nil { // Failure to write metrics should not // break the application. log.Printf("Could not emit metrics: %v", err) }
Good: Match the error and degrade gracefully
If the callee defines a specific error in its contract, and the failure is recoverable, match on that error case and degrade gracefully. For all other cases, wrap the error and return it.
Callers further up the stack will handle other errors.
1 2 3 4 5 6 7 8 9
tz, err := getUserTimeZone(id) if err != nil { if errors.Is(err, ErrUserNotFound) { // User doesn't exist. Use UTC. tz = time.UTC } else { return fmt.Errorf("get user %q: %w", id, err) } }
Handle Type Assertion Failures
The single return value form of a type assertion will panic on an incorrect type. Therefore, always use the “comma ok” idiom.
Bad
Good
1
t := i.(string)
1 2 3 4
t, ok := i.(string) if !ok { // handle the error gracefully }
Don’t Panic
Code running in production must avoid panics. Panics are a major source of cascading failures. If an error occurs, the function must return an error and allow the caller to decide how to handle it.
Panic/recover is not an error handling strategy. A program must panic only when something irrecoverable happens such as a nil dereference. An exception to this is program initialization: bad things at program startup that should abort the program may cause panic.
1
var _statusTemplate = template.Must(template.New("name").Parse("_statusHTML"))
Even in tests, prefer t.Fatal or t.FailNow over panics to ensure that the test is marked as failed.
Bad
Good
1 2 3 4 5 6
// func TestFoo(t *testing.T)
f, err := os.CreateTemp("", "test") if err != nil { panic("failed to set up test") }
1 2 3 4 5 6
// func TestFoo(t *testing.T)
f, err := os.CreateTemp("", "test") if err != nil { t.Fatal("failed to set up test") }
Use go.uber.org/atomic
Atomic operations with the sync/atomic package operate on the raw types (int32, int64, etc.) so it is easy to forget to use the atomic operation to read or modify the variables.
go.uber.org/atomic adds type safety to these operations by hiding the underlying type. Additionally, it includes a convenient atomic.Bool type.
Bad
Good
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
type foo struct { running int32// atomic }
func(f* foo) start() { if atomic.SwapInt32(&f.running, 1) == 1 { // already running… return } // start the Foo }
These embedded types leak implementation details, inhibit type evolution, and obscure documentation.
Assuming you have implemented a variety of list types using a shared AbstractList, avoid embedding the AbstractList in your concrete list implementations. Instead, hand-write only the methods to your concrete list that will delegate to the abstract list.
1 2 3 4 5 6 7 8 9 10 11
type AbstractList struct {}
// Add adds an entity to the list. func(l *AbstractList) Add(e Entity) { // ... }
// Remove removes an entity from the list. func(l *AbstractList) Remove(e Entity) { // ... }
Bad
Good
1 2 3 4
// ConcreteList is a list of entities. type ConcreteList struct { *AbstractList }
1 2 3 4 5 6 7 8 9 10 11 12 13 14
// ConcreteList is a list of entities. type ConcreteList struct { list *AbstractList }
// Add adds an entity to the list. func(l *ConcreteList) Add(e Entity) { l.list.Add(e) }
// Remove removes an entity from the list. func(l *ConcreteList) Remove(e Entity) { l.list.Remove(e) }
Go allows type embedding as a compromise between inheritance and composition. The outer type gets implicit copies of the embedded type’s methods. These methods, by default, delegate to the same method of the embedded instance.
The struct also gains a field by the same name as the type. So, if the embedded type is public, the field is public. To maintain backward compatibility, every future version of the outer type must keep the embedded type.
An embedded type is rarely necessary. It is a convenience that helps you avoid writing tedious delegate methods.
Even embedding a compatible AbstractList interface, instead of the struct, would offer the developer more flexibility to change in the future, but still leak the detail that the concrete lists use an abstract implementation.
Bad
Good
1 2 3 4 5 6 7 8 9 10 11
// AbstractList is a generalized implementation // for various kinds of lists of entities. type AbstractList interface { Add(Entity) Remove(Entity) }
// ConcreteList is a list of entities. type ConcreteList struct { AbstractList }
1 2 3 4 5 6 7 8 9 10 11 12 13 14
// ConcreteList is a list of entities. type ConcreteList struct { list AbstractList }
// Add adds an entity to the list. func(l *ConcreteList) Add(e Entity) { l.list.Add(e) }
// Remove removes an entity from the list. func(l *ConcreteList) Remove(e Entity) { l.list.Remove(e) }
Either with an embedded struct or an embedded interface, the embedded type places limits on the evolution of the type.
Adding methods to an embedded interface is a breaking change.
Removing methods from an embedded struct is a breaking change.
Removing the embedded type is a breaking change.
Replacing the embedded type, even with an alternative that satisfies the same interface, is a breaking change.
Although writing these delegate methods is tedious, the additional effort hides an implementation detail, leaves more opportunities for change, and also eliminates indirection for discovering the full List interface in documentation.
Depending on context, reusing these identifiers as names will either shadow the original within the current lexical scope (and any nested scopes) or make affected code confusing. In the best case, the compiler will complain; in the worst case, such code may introduce latent, hard-to-grep bugs.
Bad
Good
1 2 3 4 5 6 7 8
varerrorstring // `error` shadows the builtin
// or
funchandleErrorMessage(errorstring) { // `error` shadows the builtin }
1 2 3 4 5 6 7 8
var errorMessage string // `error` refers to the builtin
// or
funchandleErrorMessage(msg string) { // `error` refers to the builtin }
type Foo struct { // While these fields technically don't // constitute shadowing, grepping for // `error` or `string` strings is now // ambiguous. errorerror stringstring }
func(f Foo) Error() error { // `error` and `f.error` are // visually similar return f.error }
func(f Foo) String() string { // `string` and `f.string` are // visually similar return f.string }
1 2 3 4 5 6 7 8 9 10 11 12 13 14
type Foo struct { // `error` and `string` strings are // now unambiguous. err error str string }
func(f Foo) Error() error { return f.err }
func(f Foo) String() string { return f.str }
Note that the compiler will not generate errors when using predeclared identifiers, but tools such as go vet should correctly point out these and other cases of shadowing.
Avoid init()
Avoid init() where possible. When init() is unavoidable or desirable, code should attempt to:
Be completely deterministic, regardless of program environment or invocation.
Avoid depending on the ordering or side-effects of other init() functions. While init() ordering is well-known, code can change, and thus relationships between init() functions can make code brittle and error-prone.
Avoid accessing or manipulating global or environment state, such as machine information, environment variables, working directory, program arguments/inputs, etc.
Avoid I/O, including both filesystem, network, and system calls.
Code that cannot satisfy these requirements likely belongs as a helper to be called as part of main() (or elsewhere in a program’s lifecycle), or be written as part of main() itself. In particular, libraries that are intended to be used by other programs should take special care to be completely deterministic and not perform “init magic”.
Bad
Good
1 2 3 4 5 6 7 8 9 10 11
type Foo struct { // ... }
var _defaultFoo Foo
funcinit() { _defaultFoo = Foo{ // ... } }
1 2 3 4 5 6 7 8 9 10 11 12 13
var _defaultFoo = Foo{ // ... }
// or, better, for testability:
var _defaultFoo = defaultFoo()
funcdefaultFoo() Foo { return Foo{ // ... } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
type Config struct { // ... }
var _config Config
funcinit() { // Bad: based on current directory cwd, _ := os.Getwd()
Rationale: Programs with multiple functions that exit present a few issues:
Non-obvious control flow: Any function can exit the program so it becomes difficult to reason about the control flow.
Difficult to test: A function that exits the program will also exit the test calling it. This makes the function difficult to test and introduces risk of skipping other tests that have not yet been run by go test.
Skipped cleanup: When a function exits the program, it skips function calls enqueued with defer statements. This adds risk of skipping important cleanup tasks.
Exit Once
If possible, prefer to call os.Exit or log.Fatalat most once in your main(). If there are multiple error scenarios that halt program execution, put that logic under a separate function and return errors from it.
This has the effect of shortening your main() function and putting all key business logic into a separate, testable function.
You may alter the signature of run() to fit your needs. For example, if your program must exit with specific exit codes for failures, run() may return the exit code instead of an error. This allows unit tests to verify this behavior directly as well.
1 2 3 4 5 6 7
funcmain() { os.Exit(run(args)) }
funcrun() (exitCode int) { // ... }
More generally, note that the run() function used in these examples is not intended to be prescriptive. There’s flexibility in the name, signature, and setup of the run() function. Among other things, you may:
accept unparsed command line arguments (e.g., run(os.Args[1:]))
parse command line arguments in main() and pass them onto run
use a custom error type to carry the exit code back to main()
put business logic in a different layer of abstraction from package main
This guidance only requires that there’s a single place in your main() responsible for actually exiting the process.
Use field tags in marshaled structs
Any struct field that is marshaled into JSON, YAML, or other formats that support tag-based field naming should be annotated with the relevant tag.
Rationale: The serialized form of the structure is a contract between different systems. Changes to the structure of the serialized form–including field names–break this contract. Specifying field names inside tags makes the contract explicit, and it guards against accidentally breaking the contract by refactoring or renaming fields.
Don’t fire-and-forget goroutines
Goroutines are lightweight, but they’re not free: at minimum, they cost memory for their stack and CPU to be scheduled. While these costs are small for typical uses of goroutines, they can cause significant performance issues when spawned in large numbers without controlled lifetimes. Goroutines with unmanaged lifetimes can also cause other issues like preventing unused objects from being garbage collected and holding onto resources that are otherwise no longer used.
Therefore, do not leak goroutines in production code. Use go.uber.org/goleak to test for goroutine leaks inside packages that may spawn goroutines.
In general, every goroutine:
must have a predictable time at which it will stop running; or
there must be a way to signal to the goroutine that it should stop
In both cases, there must be a way code to block and wait for the goroutine to finish.
var ( stop = make(chanstruct{}) // tells the goroutine to stop done = make(chanstruct{}) // tells us that the goroutine exited ) gofunc() { deferclose(done)
ticker := time.NewTicker(delay) defer ticker.Stop() for { select { case <-ticker.C: flush() case <-stop: return } } }()
// Elsewhere... close(stop) // signal the goroutine to stop <-done // and wait for it to exit
There’s no way to stop this goroutine. This will run until the application exits.
This goroutine can be stopped with close(stop), and we can wait for it to exit with <-done.
Wait for goroutines to exit
Given a goroutine spawned by the system, there must be a way to wait for the goroutine to exit. There are two popular ways to do this:
Use a sync.WaitGroup. Do this if there are multiple goroutines that you want to wait for
1 2 3 4 5 6 7 8 9 10 11
var wg sync.WaitGroup for i := 0; i < N; i++ { wg.Add(1) gofunc() { defer wg.Done() // ... }() }
// To wait for all to finish: wg.Wait()
Add another chan struct{} that the goroutine closes when it’s done. Do this if there’s only one goroutine.
init() functions should not spawn goroutines. See also Avoid init().
If a package has need of a background goroutine, it must expose an object that is responsible for managing a goroutine’s lifetime. The object must provide a method (Close, Stop, Shutdown, etc) that signals the background goroutine to stop, and waits for it to exit.
funcNewWorker(...) *Worker { w := &Worker{ stop: make(chanstruct{}), done: make(chanstruct{}), // ... } go w.doWork() }
func(w *Worker) doWork() { deferclose(w.done) for { // ... case <-w.stop: return } }
// Shutdown tells the worker to stop // and waits until it has finished. func(w *Worker) Shutdown() { close(w.stop) <-w.done }
Spawns a background goroutine unconditionally when the user exports this package. The user has no control over the goroutine or a means of stopping it.
Spawns the worker only if the user requests it. Provides a means of shutting down the worker so that the user can free up resources used by the worker.
Note that you should use WaitGroups if the worker manages multiple goroutines. See Wait for goroutines to exit.
Performance
Performance-specific guidelines apply only to the hot path.
Prefer strconv over fmt
When converting primitives to/from strings, strconv is faster than fmt.
Bad
Good
1 2 3
for i := 0; i < b.N; i++ { s := fmt.Sprint(rand.Int()) }
1 2 3
for i := 0; i < b.N; i++ { s := strconv.Itoa(rand.Int()) }
1
BenchmarkFmtSprint-4 143 ns/op 2 allocs/op
1
BenchmarkStrconv-4 64.2 ns/op 1 allocs/op
Avoid repeated string-to-byte conversions
Do not create byte slices from a fixed string repeatedly. Instead, perform the conversion once and capture the result.
Bad
Good
1 2 3
for i := 0; i < b.N; i++ { w.Write([]byte("Hello world")) }
1 2 3 4
data := []byte("Hello world") for i := 0; i < b.N; i++ { w.Write(data) }
1
BenchmarkBad-4 50000000 22.2 ns/op
1
BenchmarkGood-4 500000000 3.25 ns/op
Prefer Specifying Container Capacity
Specify container capacity where possible in order to allocate memory for the container up front. This minimizes subsequent allocations (by copying and resizing of the container) as elements are added.
Specifying Map Capacity Hints
Where possible, provide capacity hints when initializing maps with make().
1
make(map[T1]T2, hint)
Providing a capacity hint to make() tries to right-size the map at initialization time, which reduces the need for growing the map and allocations as elements are added to the map.
Note that, unlike slices, map capacity hints do not guarantee complete, preemptive allocation, but are used to approximate the number of hashmap buckets required. Consequently, allocations may still occur when adding elements to the map, even up to the specified capacity.
Bad
Good
1 2 3 4 5 6
m := make(map[string]os.FileInfo)
files, _ := os.ReadDir("./files") for _, f := range files { m[f.Name()] = f }
1 2 3 4 5 6 7
files, _ := os.ReadDir("./files")
m := make(map[string]os.DirEntry, len(files)) for _, f := range files { m[f.Name()] = f }
m is created without a size hint; there may be more allocations at assignment time.
m is created with a size hint; there may be fewer allocations at assignment time.
Specifying Slice Capacity
Where possible, provide capacity hints when initializing slices with make(), particularly when appending.
1
make([]T, length, capacity)
Unlike maps, slice capacity is not a hint: the compiler will allocate enough memory for the capacity of the slice as provided to make(), which means that subsequent append() operations will incur zero allocations (until the length of the slice matches the capacity, after which any appends will require a resize to hold additional elements).
Bad
Good
1 2 3 4 5 6
for n := 0; n < b.N; n++ { data := make([]int, 0) for k := 0; k < size; k++{ data = append(data, k) } }
1 2 3 4 5 6
for n := 0; n < b.N; n++ { data := make([]int, 0, size) for k := 0; k < size; k++{ data = append(data, k) } }
1
BenchmarkBad-4 100000000 2.48s
1
BenchmarkGood-4 100000000 0.21s
Style
Avoid overly long lines
Avoid lines of code that require readers to scroll horizontally or turn their heads too much.
We recommend a soft line length limit of 99 characters. Authors should aim to wrap lines before hitting this limit, but it is not a hard limit. Code is allowed to exceed this limit.
Be Consistent
Some of the guidelines outlined in this document can be evaluated objectively; others are situational, contextual, or subjective.
Above all else, be consistent.
Consistent code is easier to maintain, is easier to rationalize, requires less cognitive overhead, and is easier to migrate or update as new conventions emerge or classes of bugs are fixed.
Conversely, having multiple disparate or conflicting styles within a single codebase causes maintenance overhead, uncertainty, and cognitive dissonance, all of which can directly contribute to lower velocity, painful code reviews, and bugs.
When applying these guidelines to a codebase, it is recommended that changes are made at a package (or larger) level: application at a sub-package level violates the above concern by introducing multiple styles into the same code.
Group Similar Declarations
Go supports grouping similar declarations.
Bad
Good
1 2
import"a" import"b"
1 2 3 4
import ( "a" "b" )
This also applies to constants, variables, and type declarations.
Bad
Good
1 2 3 4 5 6 7 8 9 10 11 12 13
const a = 1 const b = 2
var a = 1 var b = 2
type Area float64 type Volume float64
1 2 3 4 5 6 7 8 9 10 11 12 13 14
const ( a = 1 b = 2 )
var ( a = 1 b = 2 )
type ( Area float64 Volume float64 )
Only group related declarations. Do not group declarations that are unrelated.
Groups are not limited in where they can be used. For example, you can use them inside of functions.
Bad
Good
1 2 3 4 5 6 7
funcf()string { red := color.New(0xff0000) green := color.New(0x00ff00) blue := color.New(0x0000ff)
// ... }
1 2 3 4 5 6 7 8 9
funcf()string { var ( red = color.New(0xff0000) green = color.New(0x00ff00) blue = color.New(0x0000ff) )
// ... }
Exception: Variable declarations, particularly inside functions, should be grouped together if declared adjacent to other variables. Do this for variables declared together even if they are unrelated.
Bad
Good
1 2 3 4 5 6 7 8
func(c *client) request() { caller := c.name format := "json" timeout := 5*time.Second var err error
// ... }
1 2 3 4 5 6 7 8 9 10
func(c *client) request() { var ( caller = c.name format = "json" timeout = 5*time.Second err error )
// ... }
Import Group Ordering
There should be two import groups:
Standard library
Everything else
This is the grouping applied by goimports by default.
We follow the Go community’s convention of using MixedCaps for function names. An exception is made for test functions, which may contain underscores for the purpose of grouping related test cases, e.g., TestMyFunction_WhatIsBeingTested.
Import Aliasing
Import aliasing must be used if the package name does not match the last element of the import path.
Code should reduce nesting where possible by handling error cases/special conditions first and returning early or continuing the loop. Reduce the amount of code that is nested multiple levels.
Bad
Good
1 2 3 4 5 6 7 8 9 10 11 12
for _, v := range data { if v.F1 == 1 { v = process(v) if err := v.Call(); err == nil { v.Send() } else { return err } } else { log.Printf("Invalid v: %v", v) } }
1 2 3 4 5 6 7 8 9 10 11 12
for _, v := range data { if v.F1 != 1 { log.Printf("Invalid v: %v", v) continue }
v = process(v) if err := v.Call(); err != nil { return err } v.Send() }
Unnecessary Else
If a variable is set in both branches of an if, it can be replaced with a single if.
Bad
Good
1 2 3 4 5 6
var a int if b { a = 100 } else { a = 10 }
1 2 3 4
a := 10 if b { a = 100 }
Top-level Variable Declarations
At the top level, use the standard var keyword. Do not specify the type, unless it is not the same type as the expression.
Bad
Good
1 2 3
var _s string = F()
funcF()string { return"A" }
1 2 3 4 5
var _s = F() // Since F already states that it returns a string, we don't need to specify // the type again.
funcF()string { return"A" }
Specify the type if the type of the expression does not match the desired type exactly.
1 2 3 4 5 6 7 8
type myError struct{}
func(myError) Error() string { return"error" }
funcF() myError { return myError{} }
var _e error = F() // F returns an object of type myError but we want error.
Prefix Unexported Globals with _
Prefix unexported top-level vars and consts with _ to make it clear when they are used that they are global symbols.
Rationale: Top-level variables and constants have a package scope. Using a generic name makes it easy to accidentally use the wrong value in a different file.
Exception: Unexported error values may use the prefix err without the underscore. See Error Naming.
Embedding in Structs
Embedded types should be at the top of the field list of a struct, and there must be an empty line separating embedded fields from regular fields.
Bad
Good
1 2 3 4
type Client struct { version int http.Client }
1 2 3 4 5
type Client struct { http.Client
version int }
Embedding should provide tangible benefit, like adding or augmenting functionality in a semantically-appropriate way. It should do this with zero adverse user-facing effects (see also: Avoid Embedding Types in Public Structs).
Make outer types more difficult to construct or use.
Affect outer types’ zero values. If the outer type has a useful zero value, it should still have a useful zero value after embedding the inner type.
Expose unrelated functions or fields from the outer type as a side-effect of embedding the inner type.
Expose unexported types.
Affect outer types’ copy semantics.
Change the outer type’s API or type semantics.
Embed a non-canonical form of the inner type.
Expose implementation details of the outer type.
Allow users to observe or control type internals.
Change the general behavior of inner functions through wrapping in a way that would reasonably surprise users.
Simply put, embed consciously and intentionally. A good litmus test is, “would all of these exported inner methods/fields be added directly to the outer type”; if the answer is “some” or “no”, don’t embed the inner type - use a field instead.
Bad
Good
1 2 3 4 5 6 7 8
type A struct { // Bad: A.Lock() and A.Unlock() are // now available, provide no // functional benefit, and allow // users to control details about // the internals of A. sync.Mutex }
1 2 3 4 5 6 7 8 9 10 11 12 13 14
type countingWriteCloser struct { // Good: Write() is provided at this // outer layer for a specific // purpose, and delegates work // to the inner type's Write(). io.WriteCloser
type Book struct { // Bad: pointer changes zero value usefulness io.ReadWriter
// other fields }
// later
var b Book b.Read(...) // panic: nil pointer b.String() // panic: nil pointer b.Write(...) // panic: nil pointer
1 2 3 4 5 6 7 8 9 10 11 12 13
type Book struct { // Good: has useful zero value bytes.Buffer
// other fields }
// later
var b Book b.Read(...) // ok b.String() // ok b.Write(...) // ok
1 2 3 4 5 6
type Client struct { sync.Mutex sync.WaitGroup bytes.Buffer url.URL }
1 2 3 4 5 6
type Client struct { mtx sync.Mutex wg sync.WaitGroup buf bytes.Buffer url url.URL }
Local Variable Declarations
Short variable declarations (:=) should be used if a variable is being set to some value explicitly.
Bad
Good
1
var s = "foo"
1
s := "foo"
However, there are cases where the default value is clearer when the var keyword is used. Declaring Empty Slices, for example.
Bad
Good
1 2 3 4 5 6 7 8
funcf(list []int) { filtered := []int{} for _, v := range list { if v > 10 { filtered = append(filtered, v) } } }
1 2 3 4 5 6 7 8
funcf(list []int) { var filtered []int for _, v := range list { if v > 10 { filtered = append(filtered, v) } } }
nil is a valid slice
nil is a valid slice of length 0. This means that,
You should not return a slice of length zero explicitly. Return nil instead.
Bad
Good
1 2 3
if x == "" { return []int{} }
1 2 3
if x == "" { returnnil }
To check if a slice is empty, always use len(s) == 0. Do not check for nil.
Bad
Good
1 2 3
funcisEmpty(s []string)bool { return s == nil }
1 2 3
funcisEmpty(s []string)bool { returnlen(s) == 0 }
The zero value (a slice declared with var) is usable immediately without make().
Bad
Good
1 2 3 4 5 6 7 8 9 10
nums := []int{} // or, nums := make([]int)
if add1 { nums = append(nums, 1) }
if add2 { nums = append(nums, 2) }
1 2 3 4 5 6 7 8 9
var nums []int
if add1 { nums = append(nums, 1) }
if add2 { nums = append(nums, 2) }
Remember that, while it is a valid slice, a nil slice is not equivalent to an allocated slice of length 0 - one is nil and the other is not - and the two may be treated differently in different situations (such as serialization).
Reduce Scope of Variables
Where possible, reduce scope of variables. Do not reduce the scope if it conflicts with Reduce Nesting.
Better yet, replace naked bool types with custom types for more readable and type-safe code. This allows more than just two states (true/false) for that parameter in the future.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16
type Region int
const ( UnknownRegion Region = iota Local )
type Status int
const ( StatusReady Status = iota + 1 StatusDone // Maybe we will have a StatusInProgress in the future. )
funcprintInfo(name string, region Region, status Status)
Use Raw String Literals to Avoid Escaping
Go supports raw string literals, which can span multiple lines and include quotes. Use these to avoid hand-escaped strings which are much harder to read.
Bad
Good
1
wantError := "unknown name:\"test\""
1
wantError := `unknown error:"test"`
Initializing Structs
Use Field Names to Initialize Structs
You should almost always specify field names when initializing structs. This is now enforced by go vet.
Bad
Good
1
k := User{"John", "Doe", true}
1 2 3 4 5
k := User{ FirstName: "John", LastName: "Doe", Admin: true, }
Exception: Field names may be omitted in test tables when there are 3 or fewer fields.
When initializing structs with field names, omit fields that have zero values unless they provide meaningful context. Otherwise, let Go set these to zero values automatically.
user := User{ FirstName: "John", LastName: "Doe", }
This helps reduce noise for readers by omitting values that are default in that context. Only meaningful values are specified.
Include zero values where field names provide meaningful context. For example, test cases in Test Tables can benefit from names of fields even when they are zero-valued.
1 2 3 4 5 6 7
tests := []struct{ give string want int }{ {give: "0", want: 0}, // ... }
Use var for Zero Value Structs
When all the fields of a struct are omitted in a declaration, use the var form to declare the struct.
Bad
Good
1
user := User{}
1
var user User
This differentiates zero valued structs from those with non-zero fields similar to the distinction created for map initialization, and matches how we prefer to declare empty slices.
Initializing Struct References
Use &T{} instead of new(T) when initializing struct references so that it is consistent with the struct initialization.
Bad
Good
1 2 3 4 5
sval := T{Name: "foo"}
// inconsistent sptr := new(T) sptr.Name = "bar"
1 2 3
sval := T{Name: "foo"}
sptr := &T{Name: "bar"}
Initializing Maps
Prefer make(..) for empty maps, and maps populated programmatically. This makes map initialization visually distinct from declaration, and it makes it easy to add size hints later if available.
Bad
Good
1 2 3 4 5 6
var ( // m1 is safe to read and write; // m2 will panic on writes. m1 = map[T1]T2{} m2 map[T1]T2 )
1 2 3 4 5 6
var ( // m1 is safe to read and write; // m2 will panic on writes. m1 = make(map[T1]T2) m2 map[T1]T2 )
Declaration and initialization are visually similar.
Declaration and initialization are visually distinct.
Where possible, provide capacity hints when initializing maps with make(). See Specifying Map Capacity Hints for more information.
On the other hand, if the map holds a fixed list of elements, use map literals to initialize the map.
The basic rule of thumb is to use map literals when adding a fixed set of elements at initialization time, otherwise use make (and specify a size hint if available).
Format Strings outside Printf
If you declare format strings for Printf-style functions outside a string literal, make them const values.
This helps go vet perform static analysis of the format string.
When you declare a Printf-style function, make sure that go vet can detect it and check the format string.
This means that you should use predefined Printf-style function names if possible. go vet will check these by default. See Printf family for more information.
If using the predefined names is not an option, end the name you choose with f: Wrapf, not Wrap. go vet can be asked to check specific Printf-style names but they must end with f.
Table-driven tests with subtests can be a helpful pattern for writing tests to avoid duplicating code when the core test logic is repetitive.
If a system under test needs to be tested against multiple conditions where certain parts of the the inputs and outputs change, a table-driven test should be used to reduce redundancy and improve readability.
Test tables make it easier to add context to error messages, reduce duplicate logic, and add new test cases.
We follow the convention that the slice of structs is referred to as tests and each test case tt. Further, we encourage explicating the input and output values for each test case with give and want prefixes.
Table tests can be difficult to read and maintain if the subtests contain conditional assertions or other branching logic. Table tests should NOT be used whenever there needs to be complex or conditional logic inside subtests (i.e. complex logic inside the for loop).
Large, complex table tests harm readability and maintainability because test readers may have difficulty debugging test failures that occur.
Table tests like this should be split into either multiple test tables or multiple individual Test... functions.
Some ideals to aim for are:
Focus on the narrowest unit of behavior
Minimize “test depth”, and avoid conditional assertions (see below)
Ensure that all table fields are used in all tests
Ensure that all test logic runs for all table cases
In this context, “test depth” means “within a given test, the number of successive assertions that require previous assertions to hold” (similar to cyclomatic complexity). Having “shallower” tests means that there are fewer relationships between assertions and, more importantly, that those assertions are less likely to be conditional by default.
Concretely, table tests can become confusing and difficult to read if they use multiple branching pathways (e.g. shouldError, expectCall, etc.), use many if statements for specific mock expectations (e.g. shouldCallFoo), or place functions inside the table (e.g. setupMocks func(*FooMock)).
However, when testing behavior that only changes based on changed input, it may be preferable to group similar cases together in a table test to better illustrate how behavior changes across all inputs, rather than splitting otherwise comparable units into separate tests and making them harder to compare and contrast.
If the test body is short and straightforward, it’s acceptable to have a single branching pathway for success versus failure cases with a table field like shouldErr to specify error expectations.
This complexity makes it more difficult to change, understand, and prove the correctness of the test.
While there are no strict guidelines, readability and maintainability should always be top-of-mind when deciding between Table Tests versus separate tests for multiple inputs/outputs to a system.
Parallel Tests
Parallel tests, like some specialized loops (for example, those that spawn goroutines or capture references as part of the loop body), must take care to explicitly assign loop variables within the loop’s scope to ensure that they hold the expected values.
1 2 3 4 5 6 7 8 9 10 11 12 13 14
tests := []struct{ give string // ... }{ // ... }
for _, tt := range tests { tt := tt // for t.Parallel t.Run(tt.give, func(t *testing.T) { t.Parallel() // ... }) }
In the example above, we must declare a tt variable scoped to the loop iteration because of the use of t.Parallel() below. If we do not do that, most or all tests will receive an unexpected value for tt, or a value that changes as they’re running.
Functional Options
Functional options is a pattern in which you declare an opaque Option type that records information in some internal struct. You accept a variadic number of these options and act upon the full information recorded by the options on the internal struct.
Use this pattern for optional arguments in constructors and other public APIs that you foresee needing to expand, especially if you already have three or more arguments on those functions.
Our suggested way of implementing this pattern is with an Option interface that holds an unexported method, recording options on an unexported options struct.
Note that there’s a method of implementing this pattern with closures but we believe that the pattern above provides more flexibility for authors and is easier to debug and test for users. In particular, it allows options to be compared against each other in tests and mocks, versus closures where this is impossible. Further, it lets options implement other interfaces, including fmt.Stringer which allows for user-readable string representations of the options.
More importantly than any “blessed” set of linters, lint consistently across a codebase.
We recommend using the following linters at a minimum, because we feel that they help to catch the most common issues and also establish a high bar for code quality without being unnecessarily prescriptive:
We recommend golangci-lint as the go-to lint runner for Go code, largely due to its performance in larger codebases and ability to configure and use many canonical linters at once. This repo has an example .golangci.yml config file with recommended linters and settings.
golangci-lint has various linters available for use. The above linters are recommended as a base set, and we encourage teams to add any additional linters that make sense for their projects.