Go Language Error Handling: Difference between revisions

From NovaOrdis Knowledge Base
Jump to navigation Jump to search
Line 2: Line 2:
* [[Go_Language#Error_Handling|Go Language]]
* [[Go_Language#Error_Handling|Go Language]]
* [[Go Package errors|The <tt>errors</tt> package]]
* [[Go Package errors|The <tt>errors</tt> package]]
TODO https://blog.stackademic.com/error-handling-in-go-beyond-the-basics-e5b90d1d7be1


=Overview=
=Overview=

Revision as of 19:57, 27 December 2023

Internal

Overview

Errors in Go are values of error type, returned by functions, not control structures. Java and Python deploy program flow control structures, in form of exceptions, as error handling mechanism. Go is different in this respect, in that is has no exceptions.

The error Type

https://pkg.go.dev/builtin#error

The error is a pre-declared interface type, and constitutes the conventional interface for representing an error condition, with the nil value representing no error.

type error interface {
  Error() string
}

TO REFACTOR

Errors in Go are instances that implement the interface error, one of the Go pre-declared type identifiers. The error interface is the conventional way of representing an error condition, with the nil value representing no error:

type error interface {
  Error() string
}

The Error() method prints the error message.

The errors package contains functions for handling errors: creating new instances with New(), checking for wrapped errors with Is(), etc.

Keep errors descriptive, yet compact. It should be easy to understand what exactly went wrong by reading the error message.

Declaration

Initialization

err := errors.New("something went wrong")

Note that New() returns a pointer.

Another way to create errors is with fmt.Errorf():

err := fmt.Errorf("something")

fmt.Errorf() can also be used to wrap errors.

Idiomatic Error Handling

A common error handling pattern in Go involve functions returning several "good" values and an error value, as the last value in the series.

For valid invocations, the error return value is nil.

If the invocation caused an error, the error return value is not nil. If an error occurs the other values being returned by the function should be ignored.

Explicit error handling is some times cited as one of the strong points of Go.

f, err := os.Open("...")
if err != nil {
  fmt.Println(err) // will call the Error() method
  return
}
f, err := os.Open("...")
if err != nil {
  return errors.New("something went wrong")
}
var somethingWentWrong = errors.New("something went wrong")

f, err := os.Open("...")
if err != nil {
  return somethingWentWrong
}

There's an if syntax that supports this error handling idiom:

if result, err := f(); err {
  // handle error
  ...
  return
}
// handle success
...

Use panics in truly exceptional cases.

Do not discard errors by using the blank identifier _ assignment, aways handle each error.

When calling a function returning an error, always handle the error first.

Error strings should start with a lowercase character, unless they begin with names that require capitalization.

Error strings, unlike comments, should not end with punctuation marks.

Also see:

Go Style

Wrapping Errors

https://golang.org/pkg/fmt/#Errorf

Define a wrapped error. Compare fmt.Errorf() to errors.Unwrap().

Existing errors can be wrapped in outer errors, which may add information relevant to the context that caught the error being processed. However, wrapping error is more than concatenating strings.

The conventional way of wrapping errors in Go is to use the %w formatting clause with fmt.Errorf():

if err != nil {
  return fmt.Errorf("additional information: %w", err)
}

The wrapped error message, assuming that the original error is "initial information", with be:

additional information: initial information

Checking for Wrapped Errors

A wrapped error can be identified in an enclosing error with the errors.Is(<outer_error>, <sought_for_error>) function:

var BlueError = errors.New("some information")
var GreenError = errors.New("some information")

...

// wrap the error in an outer error
outerError := fmt.Errorf("addtional info: %w", BlueError)

if errors.Is(outerError, BlueError) {
  fmt.Println("found blue error")
}

if errors.Is(outerError, GreenError) {
  fmt.Println("found green error")
}

BlueError is correctly identified, even though both BlueError and GreenError carry the same string. How?

errors.As()

TODO

Panics

A panic indicates a programmer error (attempting to access an array index out of bounds, writing an uninitialized map, etc.). Panics can also be triggered with:

panic(<message>)

The panic can be caught on the stack outside the function that caused the panic, by executing recover(). Recover can be called in any upper function on the stack, or even if the function that triggers the panic, if the invocation is made with defer.

The recover() built-in function allows a program to manage behavior of a panicking goroutine. Executing a call to recover inside a deferred function, but not any function called by it, stops the panicking sequence by restoring normal execution and retrieves the error value passed to the call of panic. If recover is called outside the deferred function it will not stop a panicking sequence. In this case, or when the goroutine is not panicking, or if the argument supplied to panic was nil, recover returns nil. Thus the return value from recover reports whether the goroutine is panicking.