Designing error types in Rust

  2022-11-16 Reddit

Introduction

If I had to pick my favorite Rust language feature, that would be its systematic approach to error handling. Sum types, generics (such as Result<T, E>), and a holistic standard library design perfectlyAlmost perfectly: I miss polymorphic variants badly. match my obsession with edge cases. Rust error handling is so good that even Haskell looks bleak and woefully unsafe Haskell can replicate Rust’s approach to error handling, but the standard library chose the route of runtime exceptions, and practitioners followed the lead. . This article explains how I approach errors when I design library interfaces in Rust.

Libraries vs. applications

My approach to errors differs depending on whether I am writing a general-purpose library, a background daemon, or a command-line tool.

Applications interface humans. Applications do their job well when they resolve issues without human intervention or, if automatic recovery is impossible or undesirable, provide the user with a clear explanation of how to resolve the issue.

Library code interfaces other code. Libraries do their job well when they recover from errors transparently and provide programmers with a complete list of error cases from which they cannot recover.

This guide targets library design because that is the area with which I am most familiar. However, the core principle of empathy applies equally well to designing machine-machine, human-machine, and human-human interfaces.

Design goals

I didn’t want to call these guidelines, and I didn’t want to call these rules. I wanted them to be goals. These are the things that you should strive for in your code, that are not always easy to accomplish. And maybe you can’t always pull them off. But the closer you come, the better your code will be.

Most issues in the error type design stem from the same root: making error cases easy for the code author at the expense of the caller. All the strategies I describe in this article are applications of the following mantra:

Be empathetic to your user.

Imagine yourself having to handle the error. Could you write robust code given the error type and its documentation? Could you translate the error into a message the end user can understand?

Prefer specific enums

Applying familiar error-handling techniques is tempting if you come to Rust from another language. A single error type might seem natural if you wrote a lot of Go.

Implementing a Go-like approach to error handling using the anyhow package.
pub fn frobnicate(n: u64) -> anyhow::Result<String> { /* … */ }

If you hardened your character with C++ or spent a lot of time working with grpc, having a humongous global error type might seem like a good idea.

A typical approach to error handling in large C and C++ codebases that do not rely on exceptions is to define a humongous enum with all possible error cases.
pub enum ProjectWideError {
  InvalidInput,
  DatabaseConnectionError,
  Unauthorized,
  FileNotFound,
  // …
}

pub fn frobnicate(n: u64) -> Result<String, ProjectWideError> { /* … */ }

These approaches might work fine for you, but I found them unsatisfactory for library design However, I often use the anyhow approach to simplify structuring errors in command-line tools and daemons. in the long run: they facilitate propagating errors (often with little context about the operation that caused the error), not handling errors.

When it comes to interface clarity and simplicity, nothing beats algebraic data types (adts). Let us use the power of adts to fix the frobnicate function interface.

Idiomatic error types for the frobnicate function example.
pub enum FrobnicateError {
  /// Frobnicate does not accept inputs above this number.
  InputExceeds(u64),
  /// Frobnicate cannot work on mondays. Court order.
  CannotFrobnicateOnMondays,
}

pub fn frobnicate(n: u64) -> Result<String, FrobnicateError> { /* … */ }

Now the type system tells the readers what exactly can go wrong, making handling the errors a breeze.

You might think, I will never finish my project if I define a new enum for each function that can fail. In my experience, expressing failures using the type system takes less work than documenting all the quirks of the interface. Specific types make writing good documentation easier. They repay their weight in gold when you start testing your code.

Feel free to introduce distinct error types for each function you implement. I am still looking for Rust code that went overboard with distinct error types.

Specific error types at work: writing test cases becomes more enjoyable.
#[test]
fn test_unfrobnicatable() {
  assert_eq!(FrobnicateError::InputExceeds(MAX_FROB_INPUT), frobnicate(u64::MAX));
}

#[test]
fn test_frobnicate_on_mondays() {
  sleep_until(next_monday());
  assert_eq!(FrobnicateError::CannotFrobnicateOnMondays, frobnicate(0));
}

Reserve panics for bugs in your code

The panic! macro is used to construct errors that represent a bug that has been detected in your program.

The primary purpose of panics in Rust is to indicate bugs in your program. Resist the temptation to use panics for input validation if there is a chance that the inputs come from the end user, even if you document panics meticulously. People rarely read documentation; they can easily miss your warnings. Use the type system to guide them.

A library function relying on documentation to specify correct inputs.
/// Frobnicates an integer.
///
/// # Panics
///
/// This function panics if
/// * the `n` argument is greater than [MAX_FROB_INPUT].
/// * you call it on Monday.
pub fn frobnicate(n: u64) -> String { /* … */ }

Feel free to use panics and assertions to check invariants that must hold in your code.

Using assertions to check invariants and post-conditions.
pub fn remove_from_tree<K: Ord, V>(tree: &mut Tree<K, V>, key: &K) -> Option<V> {
  let maybe_value = /* … */;
  debug_assert!(tree.balanced());
  debug_assert!(!tree.contains(key));
  maybe_value
}

You can panic on invalid inputs if the failure indicates a severe bug in the caller’s program. Good examples are out-of-bound indices or trait implementations that do not obey laws (e.g., if an Ord type violates the total order requirements).

Lift input validation

Good functions do not panic on invalid inputs. Great functions do not have to validate inputs. Let us consider the following interface of a function that sends an email.

The send_mail function validates email addresses and sends emails.
pub enum SendMailError {
  /// One of the addresses passed to send_mail is invalid.
  MalformedAddress { address: String, reason: String },
  /// Failed to connect to the mail server.
  FailedToConnect { source: std::io::Error, reason: String },
  /* … */
}
pub fn send_mail(to: &str, cc: &[&str], body: &str) -> SendMailError { /* … */ }

Note that our send_mail function does at least two things: validating email addresses and sending emails. Such a state of affairs becomes tiresome if you have many functions that expect valid addresses as inputs. One solution is to pepper the code with more types. In this case, we can introduce the EmailAddress type that holds only valid email addresses.

Introducing a new type to make send_mail inputs valid by construction.
/// Represents valid email addresses.
pub struct EmailAddress(String);

impl std::str::FromStr for EmailAddress {
  type Err = MalformedEmailAddress;
  fn from_str(s: &str) -> Result<Self, Self::Err> { /* … */ }
}

pub enum SendMailError {
  // no more InvalidAddress!
  FailedToConnect { source: std::io::Error, reason: String },
  /* … */
}

pub fn send_mail(
    to: &EmailAddress,
    cc: &[&EmailAddress],
    body: &str,
) -> SendMailError { /* … */ }

If we add more functions working with valid addresses, these functions will not have to run the validation logic and return address validation errors. We also enable the caller to perform address validation earlier, closer to where the program receives that address.

Implement std::error::Error

Implementing the std::error::Error trait for error types is like being polite. You should do it even if you do not mean it.

Some callers might care about something other than your beautiful design, shoveling your errors into a Box<Error> or anyhow::Result and moving on. They may be building a little command line tool that does not need to handle machines with 4096 CPUs. If you implement std::error::Error for your error types, you will make their lives easier.

If you find that implementing the std::error::Error trait is too much work, try using the thiserror package.

Using the thiserror package to simplify the implementation of the std::error::Error trait.
use thiserror::Error;

#[derive(Error, Debug)]
pub enum FrobnicateError {
  #[error("cannot frobnicate numbers above {0}")]
  InputExceeds(u64),

  #[error("thy shall not frobnicate on mondays (court order)")]
  CannotFrobnicateOnMondays,
}

Define errors in terms of the problem, not a solution

The most common shape of errors I see looks like the following:

A common approch to error handling for functions with complex call graphs: the result error type wraps error types of all dependencies.
pub enum FetchTxError {
  IoError(std::io::Error),
  HttpError(http2::Error),
  SerdeError(serde_cbor::Error),
  OpensslError(openssl::ssl::Error),
}

pub fn fetch_signed_transaction(
  id: Txid,
  pk: &[u8],
) -> Result<Option<Tx>, FetchTxError> { /* … */ }

This error type does not tell the caller what problem you are solving but how you solve it. Implementation details leak into the caller’s code, causing much pain:

Let us redesign the FetchTxError type, focusing on the well-being of fellow programmers calling that code.

Idiomatic error types for the fetch_signed_transaction function example. FetchTxError type constructors express failure cases in terms of the problem domain, not a specific solution. Note the lack of external dependencies in the types.
pub enum FetchTxError {
  /// Could not connect to the server.
  ConnectionFailed {
    url: String,
    reason: String,
    cause: Option<std::io::Error>, // 
  },

  /// Cannot find transaction with the specified txid.
  TxNotFound(Txid), // 

  /// The object data is not valid CBOR.
  InvalidEncoding { // 
    data: Bytes,
    error_offset: Option<usize>,
    error_message: String,
  },

  /// The public key is malformed.
  MalformedPublicKey { // 
    key_bytes: Vec<u8>,
    reason: String,
  },

  /// The transaction signature does not match the public key.
  SignatureVerificationFailed { // 
    txid: Txid,
    pk: Pubkey,
    sig: Signature,
  },
}

pub fn fetch_signed_transaction(
  id: Txid,
  pk: &[u8],
) -> Result<Tx, FetchTxError> { /* … */ }

The new design offers several of improvements:

  1. The ConnectionFailed constructor wraps a low-level std::io::Error error. Wrapping works fine here because there is enough context to understand what went wrong.
  2. We replaced the Option type with an explicit error constructor, TxNotFound, clarifying the meaning of the None case.
  3. The InvalidEncoding constructor hides the details of the decoding library we use. We can now replace serde_cbor without breaking other people’s code.
  4. We replaced generic crypto errors with two specific cases: TxidMismatch and SignatureVerificationFailed. Our fellow programmer has more context to make rational decisions: the MalformedPublicKey case indicates that the user supplied the wrong key. The SignatureVerificationFailed case can indicate that the peer tampered with the data, so we should try connecting to another peer.

If I needed to call fetch_signed_transaction, I prefer the latter interface. Which interface would you choose? Which interface will be easier to test?

Do not wrap errors, embed them

We have already seen the tactic of embedding error cases in the previous section. This tactic eases interface comprehension so much that it deserves more attention.

Imagine that we are working on a little library that verifies cryptographic signatures. We want to support ECDSA and BLS signatures. We start from the path of the least resistance.

The signature verification function interface that wraps errors from third-party libraries.
pub enum Algorithm { Ecdsa, Bls12381 };

pub enum VerifySigError {
  EcdsaError { source: ecdsa::Error, context: String },
  BlsError { source: bls12_381_sign::Error, context: String },
}

pub fn verify_sig(
  algorithm: Algorithm,
  pk: Bytes,
  sig: Bytes,
  msg_hash: Hash,
) -> Result<(), VerifySigError> { /* … */ }

There are a few issues with that verify_sig function design.

We can address these issues by removing one layer of nesting and embedding error cases from ecdsa::Error and bls12_381_sign::Error into the VerifySigError error type. The result is a clear and self-descriptive error type conveying to your callers that you care about them.

The signature verification function interface embedding and deduplicating error cases coming from third-party libraries.
pub enum Algorithm { Ecdsa, Bls12381 };

pub enum VerifySigError {
  MalformedPublicKey { pk: Bytes, reason: String },
  MalformedSignature { sig: Bytes, reason: String },
  SignatureVerificationFailed {
    algorithm: Algorithm,
    pk: Bytes,
    sig: Bytes,
    reason: String
  },
  // …
}

pub fn verify_sig(
  algorithm: Algorithm,
  pk: Bytes,
  sig: Bytes,
  msg_hash: Hash,
) -> Result<(), VerifySigError> { /* … */ }

There are a few cases when wrapping errors makes sense:

You might prefer to wrap a Box<dyn Error> instead of converting the error to string so the caller can downcast the error, delay the conversion to string, and traverse the error stack using the source method. I found that boxing errors does not help me much in practice:

Resources

There is a lot of research on error-handling approaches. Yet the practical application of those ideas in real-world programming interfaces is an art requiring good taste and human compassion. The following resources made the most profound imprint on my thinking about errors.

  1. Catch me if you can: Looking for type-safe, hierarchical, lightweight, polymorphic and efficient error management in OCaml by David Teller, Arnaud Spiwack, and Till Varoquaux. This article demonstrates how features of a high-level functional language give rise to a powerful new way of dealing with errors.
  2. The Error vs. Exception article on Haskell Wiki has a few through-provoking parallels between panics (called errors in the article) and recoverable errors (called exceptions).
  3. Parse, don’t validate by Alexis King is a beautiful introduction to type-driven design and error handling.
  4. The Trouble with Typed Errors by Matt Parsons. I share Matt’s passion for precisely expressing errors in types, even though I would not try to replicate his Haskell-specific ideas in Rust.

You can discuss this article on Reddit.

Similar articles