Go Error Wrapping: Difference between revisions

From NovaOrdis Knowledge Base
Jump to navigation Jump to search
Line 18: Line 18:
=TO DEPLETE=
=TO DEPLETE=


An error instance can be wrapped with <code>fmt.Errorf()</code> and <code>[[Go_Package_fmt#.25w|%w]]</code> conversion character. <syntaxhighlight lang='go'>
if err != nil {
  return fmt.Errorf("additional information: %w", err)
}
</syntaxhighlight>
The wrapped error message, assuming that the original error is "initial information", with be:
<font size=-2>
additional information: initial information
</font>
<font color=darkkhaki>
Document <code>errors.Unwrap()</code>
====Checking for Wrapped Errors====
====Checking for Wrapped Errors====
A wrapped error can be identified in an enclosing error with the <code>errors.Is(<outer_error>, <sought_for_error>)</code> function.
A wrapped error can be identified in an enclosing error with the <code>errors.Is(<outer_error>, <sought_for_error>)</code> function.

Revision as of 20:17, 28 December 2023

Internal

Overview

Go error mechanism allows "wrapping" error instances into other error instances, while preserving the wrapped error identity. This pattern supports building an error tree that is useful in preserving context.

Error wrapping and returning the result to the upper layer is one of the common error handling patterns in Go. The others are fully handling the error without returning it, simply returning it without any modification, and returning a new annotated error.

The pattern consists in wrapping an error returned by the underlying layer into an "outer" error instance. This is typically done to add information relevant to the context that caught the error being processed. However, wrapping the error is more than error annotation, because it involves embedding an actual error instance, preserving its unique identity, instead of concatenating strings.

Wrap the Error

Individual errors are typically wrapped with fmt.Errorf(). To wrap multiple error instances into a single outer error, use errors.Join().

Wrap an Individual Error

errors.Join()

Inspect the Error Tree

TO DEPLETE

Checking for Wrapped Errors

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

Need to understand errors.Is(), error tree, wrapping and unwrapping.

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?