- go fmt your code, make everyone happier
- multiple if statements can be collapsed into switch
- use
chan struct{}
to pass signal,chan bool
makes it less clear - prefer
30 * time.Second
instead oftime.Duration(30) * time.Second
- always wrap for-select idiom to a function
- group
const
declarations by type andvar
by logic and/or type - every blocking or IO function call should be cancelable or at least timeoutable
- implement
Stringer
interface for integers const values - check your defer's error
defer func() { err := ocp.Close() if err != nil { rerr = err } }()
- don't use
checkErr
function which panics or doesos.Exit
- use panic only in very specific situations, you have to handle error
- don't use alias for enums 'cause this breaks type safety
package main type Status = int type Format = int // remove `=` to have type safety const A Status = 1 const B Format = 1 func main() { println(A == B) }
- if you're going to omit returning params, do it explicitly
- so prefer this
_ = f()
to thisf()
- so prefer this
- we've a short form for slice initialization
a := []T{}
- iterate over array or slice using range loop
- instead of
for i := 3; i < 7; i++ {...}
preferfor _, c := range a[3:7] {...}
- instead of
- use backquote(`) for multiline strings
- skip unused param with _
func f(a int, _ string() {}
- If you are comparing timestamps, use
time.Before
ortime.After
. Don't usetime.Sub
to get a duration and then check its value. - always pass context as a first param to a func with a
ctx
name - few params of the same type can be defined in a short way
func f(a int, b int, s string, p string)
func f(a, b int, s, p string)
- the zero value of a slice is nil
var s []int fmt.Println(s, len(s), cap(s)) if s == nil { fmt.Println("nil!") } // Output: // [] 0 0 // nil!
var a []string b := []string{} fmt.Println(reflect.DeepEqual(a, []string{})) fmt.Println(reflect.DeepEqual(b, []string{})) // Output: // false // true
- do not compare enum types with
<
,>
,<=
and>=
- use explicit values, don't do this:
value := reflect.ValueOf(object) kind := value.Kind() if kind >= reflect.Chan && kind <= reflect.Slice { // ... }
- use
%+v
to print data with sufficient details - be careful with empty struct
struct{}
, see issue: golang/go#23440func f1() { var a, b struct{} print(&a, "\n", &b, "\n") // Prints same address fmt.Println(&a == &b) // Comparison returns false } func f2() { var a, b struct{} fmt.Printf("%p\n%p\n", &a, &b) // Again, same address fmt.Println(&a == &b) // ...but the comparison returns true }
- wrap errors with http://github.com/pkg/errors
- so:
errors.Wrap(err, "additional message to a given error")
- so:
- be careful with
range
in Go:for i := range a
andfor i, v := range &a
doesn't make a copy ofa
- but
for i, v := range a
does - more: https://play.golang.org/p/4b181zkB1O
- reading nonexistent key from map will not panic
value := map["no_key"]
will be zero valuevalue, ok := map["no_key"]
is much better
- do not use raw params for file operation
- instead of an octal parameter like
os.MkdirAll(root, 0700)
- use predefined constants of this type
os.FileMode
- instead of an octal parameter like
- don't forget to specify a type for
iota
vsconst ( _ = iota testvar // will be int )
type myType int const ( _ myType = iota testvar // will be myType )```
- use
_ = b[7]
for early bounds check to guarantee safety of writes below
- best candidate to make something once in a thread-safe way is
sync.Once
- don't use flags, mutexes, channels or atomics
- to block forever use
select{}
, omit channels, waiting for a signal - don't close in-channel, this is a responsibility of it's creator
- writing to a closed channel will cause a panic
-
func NewSource(seed int64) Source
inmath/rand
is not concurrency-safe. The defaultlockedSource
is concurrency-safe, see issue: golang/go#3611
- do not omit
defer
- 200ns speedup is negligible in most cases
- always close http body aka
defer r.Body.Close()
- unless you need leaked goroutine
- filtering without allocating
b := a[:0] for _, x := range a { if f(x) { b = append(b, x) } }
-
time.Time
has pointer fieldtime.Location
and this is bad for go GC- it's relevant only for big number of
time.Time
, use timestamp instead
- it's relevant only for big number of
- prefer
regexp.MustCompile
instead ofregexp.Compile
- in most cases your regex is immutable, so init it in
func init
- in most cases your regex is immutable, so init it in
- do not overuse
fmt.Sprintf
in your hot path. It is costly due to maintaining the buffer pool and dynamic dispatches for interfaces.- if you are doing
fmt.Sprintf("%s%s", var1, var2)
, consider simple string concatenation. - if you are doing
fmt.Sprintf("%x", var)
, consider usinghex.EncodeToString
orstrconv.FormatInt(var, 16)
- if you are doing
- always discard body e.g.
io.Copy(ioutil.Discard, resp.Body)
if you don't use it- HTTP client's Transport will not reuse connections unless the body is read to completion and closed
res, _ := client.Do(req) io.Copy(ioutil.Discard, res.Body) defer res.Body.Close()
- don't use defer in a loop or you'll get a small memory leak
- 'cause defers will grow your stack without the reason
- don't forget to stop ticker, unless you need a leaked channel
ticker := time.NewTicker(1 * time.Second) defer ticker.Stop()
- use custom marshaler to speed up marshaling
- but before using it - profile! ex: https://play.golang.org/p/SEm9Hvsi0r
func (entry Entry) MarshalJSON() ([]byte, error) { buffer := bytes.NewBufferString("{") first := true for key, value := range entry { jsonValue, err := json.Marshal(value) if err != nil { return nil, err } if !first { buffer.WriteString(",") } first = false buffer.WriteString(key + ":" + string(jsonValue)) } buffer.WriteString("}") return buffer.Bytes(), nil }
-
sync.Map
isn't a silver bullet, do not use it without a strong reasons - storing non-pointer values in
sync.Pool
allocates memory - regular expressions are mutexed
- to avoid performance degradation in concurrent programs make a copy:
re, err := regexp.Compile(pattern) re2 := re.Copy()
- to hide a pointer from escape analysis you might carefully(!!!) use this func:
// noescape hides a pointer from escape analysis. noescape is // the identity function but escape analysis doesn't think the // output depends on the input. noescape is inlined and currently // compiles down to zero instructions. //go:nosplit func noescape(p unsafe.Pointer) unsafe.Pointer { x := uintptr(p) return unsafe.Pointer(x ^ 0) }
- for fastest atomic swap you might use this
m := (*map[int]int)(atomic.LoadPointer(&ptr))
- use buffered I/O if you do many sequential reads or writes
- to reduce number of syscalls
- strip your binaries with this command
go build -ldflags="-s -w" ...
- easy way to split test into different builds
- use
// +build integration
and run them withgo test -v --tags integration .
- use
- tiniest Go docker image
- https://twitter.com/bbrodriges/status/873414658178396160
CGO_ENABLED=0 go build -ldflags="-s -w" app.go && tar C app | docker import - myimage:latest
- run
go format
on CI and compare diff- this will ensure that everything was generated and commited
- to run Travis-CI with the latest Go use
travis 1
- check if there are mistakes in code formatting
diff -u <(echo -n) <(gofmt -d .)
- prefer
package_test
name for tests, rather thanpackage
-
go test -short
allows to reduce set of tests to be runnedfunc TestSomething(t *testing.T) { if testing.Short() { t.Skip("skipping test in short mode.") } }
- skip test deppending on architecture
if runtime.GOARM == "arm" { t.Skip("this doesn't work under ARM") }
- track your allocations with
testing.AllocsPerRun
- run your benchmarks multiple times, to get rid of noise
go test -test.bench=. -count=20
- quick replace
gofmt -w -l -r "panic(err) -> log.Error(err)" .
-
go list
allows to find all direct and transitive dependenciesgo list -f '{{ .Imports }}' package
go list -f '{{ .Deps }}' package
- for fast benchmark comparison we've a
benchstat
tool
- dump goroutines https://stackoverflow.com/a/27398062/433041
go func() { sigs := make(chan os.Signal, 1) signal.Notify(sigs, syscall.SIGQUIT) buf := make([]byte, 1<<20) for { <-sigs stacklen := runtime.Stack(buf, true) log.Printf("=== received SIGQUIT ===\n*** goroutine dump...\n%s\n*** end\n", buf[:stacklen]) } }()
- check interface implementation during compilation
var _ io.Reader = (*MyFastReader)(nil)
- if a param of len is nil then it's zero
- anonymous structs are cool
var hits struct { sync.Mutex n int } hits.Lock() hits.n++ hits.Unlock()
-
httputil.DumpRequest
is very useful thing, don't create your own - to get call stack we've
runtime.Caller
https://golang.org/pkg/runtime/#Caller - to marshal arbitrary JSON you can marshal to
map[string]interface{}{}
- configure your
CDPATH
so you can docd github.com/golang/go
from any directore- add this line to your
bashrc
(or analogue)export CDPATH=$CDPATH:$GOPATH/src
- add this line to your