xerrors

package module
v1.0.0 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Jul 13, 2025 License: MIT Imports: 7 Imported by: 36

README

go-xerrors

Go Reference Go Report Card

go-xerrors is a simple, idiomatic, lightweight Go package that provides utilities for error handling. It offers functions and types to support stack traces, multi-errors, and simplified panic handling. The package is compatible with Go's standard error handling mechanisms, such as errors.As, errors.Is, and errors.Unwrap, including features from Go 1.13 and 1.20.

Main Features:

  • Stack Traces: Captures stack traces when creating errors to help locate the origin of issues during debugging
  • Multi-Errors: Aggregates multiple errors into a single error instance while maintaining individual error context
  • Error Wrapping: Wraps errors with additional context while preserving compatibility with errors.Is, errors.As, and errors.Unwrap
  • Panic Handling: Converts panic values to standard Go errors with stack traces for structured error recovery
  • Zero Dependencies: Implements error handling utilities with no external dependencies beyond the Go standard library

Installation

go get -u github.com/mdobak/go-xerrors

Usage

Example

The following example demonstrates the basic usage of go-xerrors for creating and handling errors.

package main

import (
    "database/sql"
    "fmt"

    "github.com/mdobak/go-xerrors"
)

func findUserByID(id int) error {
    // Simulate a standard library error.
    err := sql.ErrNoRows

    // Wrap the original error with additional context and capture a stack trace
    // at this point in the call stack.
    return xerrors.Newf("user %d not found: %w", id, err)
}

func main() {
    err := findUserByID(123)
    if err != nil {
        // 1. The standard Error() method provides a concise, log-friendly message.
        fmt.Println("Concise log message:", err.Error())
        // Output: user 123 not found: sql: no rows in result set

        // 2. xerrors.Print provides a rich, multi-line report for developers,
        // including the stack trace from where the error was wrapped.
        xerrors.Print(err)
        // Output:
        // Error: user 123 not found: sql: no rows in result set
        //     at main.findUserByID (/home/user/app/main.go:15)
        //     at main.main (/home/user/app/main.go:20)
        //     at runtime.main (/usr/local/go/src/runtime/proc.go:250)
        //     at runtime.goexit (/usr/local/go/src/runtime/asm_amd64.s:1594)
    }
}
Creating Errors with Stack Traces

The primary way to create an error in go-xerrors is by using the xerrors.New or xerrors.Newf functions:

// Create a new error with a stack trace
err := xerrors.New("something went wrong")

// Create a formatted error with a stack trace
err := xerrors.Newf("something went wrong: %s", reason)

Calling the standard Error() method on err returns only the message ("something went wrong"), adhering to the Go convention of providing a concise error description.

Displaying Detailed Errors

To display the error with the associated stack trace and additional details, use the xerrors.Print, xerrors.Sprint, or xerrors.Fprint functions:

xerrors.Print(err)

Output:

Error: something went wrong
	at main.main (/home/user/app/main.go:10)
	at runtime.main (/usr/local/go/src/runtime/proc.go:225)
	at runtime.goexit (/usr/local/go/src/runtime/asm_amd64.s:1371)
Working with Stack Traces

To retrieve the stack trace information programmatically:

trace := xerrors.StackTrace(err)
fmt.Print(trace)

Output:

at main.TestMain (/home/user/app/main_test.go:10)
at testing.tRunner (/home/user/go/src/testing/testing.go:1259)
at runtime.goexit (/home/user/go/src/runtime/asm_arm64.s:1133)

You can also explicitly add a stack trace to an existing error:

err := someFunction()
errWithStack := xerrors.WithStackTrace(err, 0) // 0 skips no frames
Wrapping Errors

The xerrors.New and xerrors.Newf functions can also wrap existing errors:

output, err := json.Marshal(data)
if err != nil {
	return xerrors.New("failed to marshal data", err)
}

With formatted messages:

output, err := json.Marshal(data)
if err != nil {
	return xerrors.Newf("failed to marshal data %v: %w", data, err)
}

Note that wrapping multiple errors with xerrors.Newf is possible only in Go 1.20 and later.

Creating Error Chains Without Stack Traces

For situations where you don't need a stack trace (such as creating sentinel errors), use xerrors.Join and xerrors.Joinf:

err := xerrors.Join("operation failed", otherErr)

With formatted messages:

err := xerrors.Joinf("operation failed: %w", otherErr)

Note that wrapping multiple errors with xerrors.Joinf is possible only in Go 1.20 and later.

The main difference between Go's fmt.Errorf and xerrors.Newf/xerrors.Joinf is that the latter functions preserve the error chain, whereas fmt.Errorf flattens it (i.e., its Unwrap method returns all underlying errors at once instead of just the next one in the chain).

Sentinel Errors

Sentinel errors are predefined, exported error values used to signal specific, well-known conditions (e.g., io.EOF). The go-xerrors package provides the xerrors.Message and xerrors.Messagef functions to create distinct sentinel error values:

var ErrAccessDenied = xerrors.Message("access denied")

// ...

func performAction() error {
	// ...
	return ErrAccessDenied
}

// ...

err := performAction()
if errors.Is(err, ErrAccessDenied) {
    log.Println("Operation failed due to access denial.")
}

For formatted sentinel errors:

const MaxLength = 10
var ErrInvalidInput = xerrors.Messagef("max length of %d exceeded", MaxLength)
Multi-Errors

When performing multiple independent operations where several might fail, use xerrors.Append to collect these individual errors into a single multi-error instance:

var err error

if input.Username == "" {
    err = xerrors.Append(err, xerrors.New("username cannot be empty"))
}
if len(input.Password) < 8 {
    err = xerrors.Append(err, xerrors.New("password must be at least 8 characters"))
}

if err != nil {
    fmt.Println(err.Error()) // [username cannot be empty, password must be at least 8 characters]

    // Detailed output using xerrors.Print:
    xerrors.Print(err)
    // Output:
    // Error: [username cannot be empty, password must be at least 8 characters]
    // 1. Error: username cannot be empty
    //     at main.validateInput (/path/to/your/file.go:XX)
    //     ... stack trace ...
    // 2. Error: password must be at least 8 characters
    //     at main.validateInput (/path/to/your/file.go:YY)
    //     ... stack trace ...
}

The resulting multi-error implements the standard error interface as well as errors.Is, errors.As, and errors.Unwrap, allowing you to check for specific errors or extract them.

Comparison with Go 1.20 errors.Join:

Go 1.20 introduced errors.Join for error aggregation. While it serves a similar purpose, xerrors.Append preserves the individual stack traces associated with each appended error and adheres to the convention of returning a single line from the Error() method.

Simplified Panic Handling

Panics can be challenging to locate and handle effectively in Go applications, especially when using recover(). Common issues, such as nil pointer dereferences or out-of-bounds slice accesses, often result in unclear panic messages. Without a stack trace, pinpointing the origin of the panic can be difficult.

go-xerrors provides utilities to convert panic values into proper errors with stack traces.

Using xerrors.Recover:

func handleTask() (err error) {
	defer xerrors.Recover(func(err error) {
		log.Printf("Recovered from panic during task handling: %s", xerrors.Sprint(err))
	})

	// ... potentially panicking code ...

	return nil
}

Using xerrors.FromRecover:

func handleTask() (err error) {
	defer func() {
		if r := recover(); r != nil {
			err = xerrors.FromRecover(r) // Convert recovered value to error with stack trace
			log.Printf("Recovered from panic during task handling: %s", xerrors.Sprint(err))
		}
	}()

	// ... potentially panicking code ...

	return nil
}

The returned error implements the PanicError interface, which provides access to the original panic value via the Panic() method.

Choosing Between New, Join, and Append

While these functions can all be used to aggregate errors, they each serve distinct purposes:

  • xerrors.New: Use this to create errors and attach stack traces, especially when wrapping existing errors to provide additional context.
  • xerrors.Join: Use this to chain errors together without capturing stack traces. This is most appropriate for creating sentinel errors.
  • xerrors.Append: Use this to aggregate multiple, independent errors into a single multi-error. This is useful when several operations might fail, and you want to report all failures at once.
Examples
Error with Stack Trace
func (m *MyStruct) MarshalJSON() ([]byte, error) {
	output, err := json.Marshal(m)
	if err != nil {
		// Wrap the error with additional context and capture a stack trace.
		return nil, xerrors.New("failed to marshal data", err)
	}
	return output, nil
}
Sentinel Errors
var (
	// Using xerrors.Join allows us to create sentinel errors that can be
	// checked with errors.Is against both ErrValidation and the
	// specific validation error. We do not want to capture a stack trace
	// here; therefore, we use xerrors.Join instead of xerrors.New.
	ErrValidation   = xerrors.Message("validation error")
	ErrInvalidName  = xerrors.Join(ErrValidation, "name is invalid")
	ErrInvalidAge   = xerrors.Join(ErrValidation, "age is invalid")
	ErrInvalidEmail = xerrors.Join(ErrValidation, "email is invalid")
)

func (m *MyStruct) Validate() error {
	if !m.isNameValid() {
		return xerrors.New(ErrInvalidName)
	}
	if !m.isAgeValid() {
		return xerrors.New(ErrInvalidAge)
	}
	if !m.isEmailValid() {
		return xerrors.New(ErrInvalidEmail)
	}
	return nil
}
Multi-Error Validation
func (m *MyStruct) Validate() error {
	var err error
	if m.Name == "" {
		err = xerrors.Append(err, xerrors.New("name cannot be empty"))
	}
	if m.Age < 0 {
		err = xerrors.Append(err, xerrors.New("age cannot be negative"))
	}
	if m.Email == "" {
		err = xerrors.Append(err, xerrors.New("email cannot be empty"))
	}
	return err
}

API Reference

Core Functions
  • xerrors.New(errors ...any) error: Creates a new error with a stack trace
  • xerrors.Newf(format string, args ...any) error: Creates a formatted error with a stack trace
  • xerrors.Join(errors ...any) error: Creates a chained error without a stack trace
  • xerrors.Joinf(format string, args ...any) error: Creates a formatted chained error without a stack trace
  • xerrors.Message(message string) error: Creates a simple sentinel error
  • xerrors.Messagef(format string, args ...any) error: Creates a simple formatted sentinel error
  • xerrors.Append(err error, errs ...error) error: Aggregates errors into a multi-error
Panics
  • xerrors.Recover(callback func(err error)): Recovers from panics and invokes a callback with the error
  • xerrors.FromRecover(recoveredValue any) error: Converts a recovered value to an error with a stack trace
Stack Trace
  • xerrors.StackTrace(err error) Callers: Extracts the stack trace from an error
  • xerrors.WithStackTrace(err error, skip int) error: Wraps an error with a stack trace
  • DefaultCallersFormatter: The default formatter for [Callers], used when printing stack traces.
  • DefaultFrameFormatter: The default formatter for [Frame], used when printing stack traces.
Error printing
  • xerrors.Print(err error): Prints a formatted error to stderr
  • xerrors.Sprint(err error) string: Returns a formatted error as a string
  • xerrors.Fprint(w io.Writer, err error): Writes a formatted error to the provided writer
Interfaces
  • DetailedError: For errors that provide detailed information
  • PanicError: For errors created from panic values with access to the original panic value

Documentation

For comprehensive details on all functions and types, please refer to the full documentation available at:

https://pkg.go.dev/github.com/mdobak/go-xerrors

License

Licensed under the MIT License.

Documentation

Overview

Package go-xerrors is a simple, idiomatic, lightweight Go package that provides utilities for error handling. It offers functions and types to support stack traces, multi-errors, and simplified panic handling. The package is compatible with Go's standard error handling mechanisms, such as errors.As, errors.Is, and errors.Unwrap, including features from Go 1.13 and 1.20.

Index

Constants

This section is empty.

Variables

View Source
var DefaultCallersFormatter = func(c Callers, w io.Writer) {
	for _, frame := range c.Frames() {
		io.WriteString(w, "at ")
		frame.writeFrame(w)
		io.WriteString(w, "\n")
	}
}

DefaultCallersFormatter is the default formatter for Callers.

View Source
var DefaultFrameFormatter = func(f Frame, w io.Writer) {
	io.WriteString(w, shortname(f.Function))
	io.WriteString(w, " (")
	io.WriteString(w, f.File)
	io.WriteString(w, ":")
	io.WriteString(w, strconv.Itoa(f.Line))
	io.WriteString(w, ")")
}

DefaultFrameFormatter is the default formatter for Frame.

Functions

func Append

func Append(err error, errs ...error) error

Append appends the provided errors to an existing error or list of errors. If `err` is not a [multiError], it will be converted into one. Nil errors are ignored. It does not record a stack trace.

If the resulting error list is empty, nil is returned. If the resulting error list contains only one error, that error is returned instead of the list.

The returned error is compatible with Go errors, supporting errors.Is, errors.As, and the Go 1.20 `Unwrap() []error` method.

To create a chained error, use New, Newf, Join, or Joinf instead.

func Fprint

func Fprint(w io.Writer, err error) (int, error)

Fprint writes a formatted error to the provided io.Writer.

If the error implements the DetailedError interface and returns a non-empty string, the returned details are added to each error in the chain.

The formatted error can span multiple lines and always ends with a newline.

func FromRecover

func FromRecover(r any) error

FromRecover converts the result of the built-in `recover()` into an error with a stack trace. The returned error implements PanicError. Returns nil if `r` is nil.

This function must be called in the same function as `recover()` to ensure the stack trace is accurate.

func Join added in v1.0.0

func Join(vals ...any) error

Join joins multiple values into a single error, forming a chain of errors.

Conversion rules for arguments:

  • If the value is an error, it is used as is.
  • If the value is a string, a new error with that message is created.
  • If the value implements fmt.Stringer, the result of String() is used to create an error.
  • If the value is nil, it is ignored.
  • Otherwise, the result of fmt.Sprint is used to create an error.

If called with no arguments or only nil values, Join returns nil.

To create a multi-error instead of an error chain, use Append.

func Joinf added in v1.0.0

func Joinf(format string, args ...any) error

Joinf joins multiple values into a single error with a formatted message, forming an error chain. The format string follows the conventions of fmt.Errorf.

Unlike errors created by fmt.Errorf, the Unwrap method on the returned error yields the next wrapped error, not a slice of errors, since this function is intended for creating linear error chains.

To create a multi-error instead of an error chain, use Append.

func Message

func Message(msg string) error

Message creates a simple error with the given message, without recording a stack trace. Each call returns a distinct error instance, even if the message is identical.

This function is useful for creating sentinel errors, often referred to as "constant errors."

To create an error with a stack trace, use New or Newf instead.

func Messagef added in v1.0.0

func Messagef(format string, args ...any) error

Messagef creates a simple error with a formatted message, without recording a stack trace. The format string follows the conventions of fmt.Sprintf. Each call returns a distinct error instance, even if the message is identical.

This function is useful for creating sentinel errors, often referred to as "constant errors."

To create an error with a stack trace, use New or Newf instead.

func New

func New(vals ...any) error

New creates a new error from the provided values and records a stack trace at the point of the call. If multiple values are provided, each value is wrapped by the previous one, forming a chain of errors.

Usage examples:

  • Add a stack trace to an existing error: New(err)
  • Create an error with a message and a stack trace: New("access denied")
  • Wrap an error with a message: New("access denied", io.EOF)
  • Add context to a sentinel error: New(ErrReadError, "access denied")

Conversion rules for arguments:

  • If the value is an error, it is used as is.
  • If the value is a string, a new error with that message is created.
  • If the value implements fmt.Stringer, the result of String() is used to create an error.
  • If the value is nil, it is ignored.
  • Otherwise, the result of fmt.Sprint is used to create an error.

If called with no arguments or only nil values, New returns nil.

To create a sentinel error, use Message or Messagef instead.

func Newf added in v1.0.0

func Newf(format string, args ...any) error

Newf creates a new error with a formatted message and records a stack trace at the point of the call. The format string follows the conventions of fmt.Errorf.

Unlike errors created by fmt.Errorf, the Unwrap method on the returned error yields the next wrapped error, not a slice of errors, since this function is intended for creating linear error chains.

To create a sentinel error, use Message or Messagef instead.

func Print

func Print(err error)

Print writes a formatted error to stderr.

If the error implements the DetailedError interface and returns a non-empty string, the returned details are added to each error in the chain.

The formatted error can span multiple lines and always ends with a newline.

func Recover

func Recover(fn func(err error))

Recover wraps the built-in `recover()` function, converting the recovered value into an error with a stack trace. The provided `fn` callback is only invoked when a panic occurs. The error passed to `fn` implements PanicError.

This function must always be used directly with the `defer` keyword; otherwise, it will not function correctly.

func Sprint

func Sprint(err error) string

Sprint returns a formatted error as a string.

If the error implements the DetailedError interface and returns a non-empty string, the returned details are added to each error in the chain.

The formatted error can span multiple lines and always ends with a newline.

func WithStackTrace

func WithStackTrace(err error, skip int) error

WithStackTrace wraps the provided error with a stack trace, capturing the stack at the point of the call. The `skip` argument specifies how many stack frames to skip.

If err is nil, WithStackTrace returns nil.

Types

type Callers

type Callers []uintptr

Callers represents a list of program counters from the runtime.Callers function.

func StackTrace

func StackTrace(err error) Callers

StackTrace extracts the stack trace from the provided error. It traverses the error chain, looking for the last error that has a stack trace.

func (Callers) Format

func (c Callers) Format(s fmt.State, verb rune)

Format implements the fmt.Formatter interface.

Supported verbs:

  • %s complete stack trace
  • %v same as %s; '+' or '#' flags print struct details
  • %q double-quoted Go string, same as %s

func (Callers) Frames

func (c Callers) Frames() []Frame

Frames returns a slice of Frame structs with function, file, and line information.

func (Callers) String

func (c Callers) String() string

String implements the fmt.Stringer interface.

type DetailedError

type DetailedError interface {
	error

	// ErrorDetails returns additional details about the error. It should not
	// repeat the error message and should end with a newline.
	//
	// An empty string is returned if the error does not provide
	// additional details.
	ErrorDetails() string
}

DetailedError represents an error that provides additional details beyond the error message.

type Frame

type Frame struct {
	File     string
	Line     int
	Function string
}

Frame represents a single stack frame with file, line, and function details.

func (Frame) Format

func (f Frame) Format(s fmt.State, verb rune)

Format implements the fmt.Formatter interface.

Supported verbs:

  • %s function, file, and line number in a single line
  • %f filename
  • %d line number
  • %n function name, with '+' flag adding the package name
  • %v same as %s; '+' or '#' flags print struct details
  • %q double-quoted Go string, same as %s

func (Frame) String

func (f Frame) String() string

String implements the fmt.Stringer interface.

type PanicError added in v1.0.0

type PanicError interface {
	error

	// Panic returns the raw panic value.
	Panic() any
}

PanicError represents an error that occurs during a panic. It is returned by the Recover and FromRecover functions. It provides access to the original panic value via the [Panic] method.

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL