Error Handling in Dart: Should You Use try/catch, Return Values, or Functional Approaches? Link to heading

Summary Link to heading

This article explores different strategies for error handling in Dart, comparing the traditional try/catch approach with more modern methods such as using return values, custom classes, and functional approaches using packages like dartz and fpdart. You’ll learn when and why to use each approach, with practical examples and performance considerations.

Introduction Link to heading

Error handling is a crucial part of software development. Choosing the right strategy for managing errors can affect the quality, readability, and performance of your code. In Dart, like in many other languages, you have several options for handling errors: you can use the classic try/catch approach, opt to handle errors through return values like Records, use custom classes, or even adopt functional approaches with specialized packages. In this article, we’ll explore when and why you should use each approach, helping you make more informed decisions in your projects.

The Classic Approach: try/catch Link to heading

Error handling with try/catch is a pattern that many developers are familiar with. This approach allows the code to remain clean and focused on the main logic, while error handling is relegated to a separate block.

Example of try/catch in Dart Link to heading

void performOperation(int param) {
  try {
    if (param <= 0) {
      throw Exception("Parameter must be greater than 0");
    }
    print("Operation successful with value: $param");
  } catch (e) {
    print("Operation failed with error: $e");
  }
}

void main() {
  // Successful case
  performOperation(5); // Output: Operation successful with value: 5

  // Failed case
  performOperation(-1); // Output: Operation failed with error: Exception: Parameter must be greater than 0
}

In this example, performOperation throws an exception if the parameter is less than or equal to zero. The try/catch block captures the exception and handles the error, allowing execution to continue without abruptly stopping.

Advantages of try/catch Link to heading

  • Cleanliness and Focus: try/catch allows the code implementing the main logic to remain free of error handling details. You only need to handle the error if it occurs.

  • Centralized Error Management: You can catch several types of exceptions in one place, simplifying the handling of errors that could arise in different parts of a complex operation.

  • Ideal for Exceptional Errors: This approach is especially useful when errors are rare or truly exceptional. The “happy” code runs without interruptions, and the error is only handled if something really goes wrong.

Disadvantages of try/catch Link to heading

  • Error Concealment: If not handled properly, it’s easy to fall into the trap of catching all exceptions without giving them proper treatment, which can lead to hidden errors that go unnoticed.

  • Performance Impact: Throwing and catching exceptions is a more costly operation in terms of performance. In situations where errors occur frequently, the use of try/catch can affect the efficiency of your application.

The Alternative Approach: Error Handling with Return Values Link to heading

In Dart, especially with the arrival of Records (T, E, ...) method(){ return (T, E, ...); } in Dart 3, you have the option to return multiple values from a function, including the result and a possible error. This approach is similar to error handling in languages like Golang, where it’s common to return a value and an explicit error for the caller to decide how to proceed.

Example of Error Handling with Records in Dart 3 Link to heading

(int, Object?) performOperation(int param) {
  if (param > 0) {
    return (param, null);  // Success, no error.
  } else {
    return (0, "Parameter must be greater than 0");  // Failure, with error message.
  }
}

void main() {
  // Successful case
  var (result, error) = performOperation(5);
  if (error == null) {
    print("Operation successful with value: $result"); // Output: Operation successful with value: 5
  } else {
    print("Operation failed with error: $error");
  }

  // Failed case
  var (result2, error2) = performOperation(-1);
  if (error2 == null) {
    print("Operation successful with value: $result2");
  } else {
    print("Operation failed with error: $error2");    // Output: Operation failed with error: Parameter must be greater than 0
  }
}

In this example, the performOperation function returns a Record containing both the operation result and a possible error. Depending on whether the parameter is valid, the function returns a Record with the value or an error message. Then, in main, the Record is destructured to handle the result and error explicitly.

Is It a Good Idea to Return Exceptions in a Record? Link to heading

An approach that might seem tempting is to return an exception as part of a Record:

(int, Exception?) performOperation(int param) {
  if (param > 0) {
    return (param, null);  // Success, no error.
  } else {
    return (0, Exception("Parameter must be greater than 0"));  // Failure, with exception.
  }
}

While this is technically possible, it may not be the best idea for several reasons:

  • Separation of Concerns: Exceptions in Dart are designed to be thrown and caught, not simply passed as a return value. Returning an exception in a Record can lead to confusion about how the error should be handled.

  • Loss of Stack Trace: By not throwing the exception, you might lose valuable information about where the error occurred, which will make debugging more difficult.

The Custom Result Class Approach Link to heading

An elegant and flexible alternative for handling errors is the use of a custom Result class. This approach encapsulates both success and error in a single structure, providing a clear interface for handling both cases.

Example of Custom Result Class Link to heading

class Result<T> {
  final T? value;
  final Object? error;
  final StackTrace? stackTrace;
  Result.success(this.value)
      : error = null,
        stackTrace = null;

  Result.failure(this.error, [StackTrace? stackTrace])
      : value = null,
        stackTrace = stackTrace ?? StackTrace.current;

  bool get isSuccess => error == null;
  bool get isFailure => error != null;
}

Result<int> performOperation(int param) {
  try {
    if (param > 0) {
      return Result.success(param);
    } else {
      throw Exception("Parameter must be greater than 0");
    }
  } catch (e, stackTrace) {
    return Result.failure(e, stackTrace);
  }
}

void main() {
  var result = performOperation(5);
  if (result.isSuccess) {
    print("Operation successful with value: ${result.value}"); // Output: Operation successful with value: 5
  } else {
    print("Operation failed with error: ${result.error}");
    print("StackTrace: ${result.stackTrace}");
  }
  var failedResult = performOperation(-1);
  if (failedResult.isFailure) {
    print("Operation failed with error: ${failedResult.error}"); // Output: Operation failed with error: Exception: Parameter must be greater than 0
    print("StackTrace: ${failedResult.stackTrace}");             // Output: StackTrace: ... (the stack trace will vary based on the execution environment)
  }
}

Advantages of the Result Class Approach Link to heading

  1. Strong Typing: Provides an explicit type for successful results and errors.
  2. Clarity: Makes it obvious that a function can fail and how to handle both cases.
  3. Flexibility: Can be easily extended to include more information or behaviors.

Functional Approaches with Functional Packages: dartz and fpdart Link to heading

The dartz and fpdart packages provide data structures and utilities inspired by functional programming for Dart. These packages offer types like Either that are particularly useful for error handling.

Example with dartz Link to heading

First, add dartz to your dependencies:

dependencies:
  dartz: ^0.10.1 # Latest version reviewed as of 2024-08-17

Then, you can use Either to handle errors:

import 'package:dartz/dartz.dart';

Either<String, int> performOperation(int param) {
  if (param > 0) {
    return Right(param);
  } else {
    return Left("Parameter must be greater than 0");
  }
}

void main() {
  performOperation(5).fold(
    (error) => print("Operation failed: $error"),
    (value) => print("Operation successful: $value"), // Output: Operation successful: 5
  );

  performOperation(-1).fold(
    (error) => print("Operation failed: $error"),     // Output: Operation failed: Parameter must be greater than 0
    (value) => print("Operation successful: $value"),
  );
}

Example with fpdart Link to heading

fpdart is a more recent alternative to dartz. Add it to your dependencies:

dependencies:
  fpdart: ^1.1.0 # Latest version reviewed as of 2024-08-17

The usage is similar to dartz:

import 'package:fpdart/fpdart.dart';

Either<String, int> performOperation(int param) {
  if (param > 0) {
    return Right(param);
  } else {
    return Left("Parameter must be greater than 0");
  }
}

void main() {
  performOperation(5).match(
    (error) => print("Operation failed: $error"),
    (value) => print("Operation successful: $value"), // Output: Operation successful: 5
  );

  performOperation(-1).match(
    (error) => print("Operation failed: $error"),     // Output: Operation failed: Parameter must be greater than 0
    (value) => print("Operation successful: $value"),
  );
}

Advantages of Functional Approaches Link to heading

  1. Composition: They facilitate the composition of operations that can fail.
  2. Immutability: They promote the use of immutable data structures.
  3. Explicit Error Handling: They force the developer to consider both the success and error cases.
  4. Interoperability: They provide a standard way of handling errors that can be used throughout the codebase.

Considerations Link to heading

  • Learning Curve: Functional programming concepts may be new to some developers.
  • Dependency Overhead: Adding an external dependency for error handling may not be desirable in all projects.
  • Performance: In some cases, using these structures may have a small performance impact compared to simpler approaches.

Which Approach Should You Use? Link to heading

The choice between try/catch, return values, custom Result classes, or functional approaches with dartz or fpdart depends on several factors:

  • Project Complexity: For small projects, try/catch or simple return values may be sufficient. For larger or more complex projects, functional approaches may offer better scalability and maintainability.

  • Team Experience: If your team is familiar with functional programming concepts, dartz or fpdart can be excellent choices. If not, a custom Result class might be a good middle ground.

  • Consistency: If you’re already using dartz or fpdart in your project for other functionalities, it makes sense to use them for error handling as well.

  • Performance: If performance is critical and errors are frequent, simple return values or a lightweight Result class might be the best option.

  • Interoperability: If you need to interoperate with code that uses different error handling approaches, a more flexible solution like Either from dartz or fpdart can be beneficial.

General Best Practices in Error Handling in Dart Link to heading

  1. Be specific with exceptions: Use or create specific exception types instead of using generic Exception.
  2. Document your exceptions: Use documentation comments to indicate what exceptions a function might throw.
  3. Don’t ignore exceptions: Avoid empty catch blocks. Always do something meaningful with the caught exception.
  4. Use finally when necessary: For code that must run regardless of whether an exception occurs or not.
  5. Consider using logging: Instead of simply printing errors, consider using a logging system for better tracking and debugging.

Comparison with Other Languages Link to heading

  • GoLang: Dart’s approach with Records is similar to GoLang’s multiple return values for error handling.
  • Rust: Rust’s Result type is comparable to the custom Result class approach in Dart.
  • Java/C#: These languages primarily use try/catch, but also have functional approaches similar to Dart’s Records or custom Result classes.

Conclusion Link to heading

In Dart, there’s no single correct way to handle errors. Each approach has its advantages and disadvantages, and the best choice will depend on your application’s specific use case. try/catch remains a powerful tool for handling exceptional errors in a centralized manner, while error handling through return values with Records or a custom Result class offers more explicit control and can be more efficient in scenarios where errors are frequent. Functional approaches with packages like dartz or fpdart provide additional benefits in terms of composition and explicit error handling, especially in larger or more complex projects.

In the end, the key is to understand your application’s needs and use the approach that best aligns with your design and performance goals. Keep your code clean and manageable, and ensure that errors are handled appropriately, regardless of the approach you choose.


The aim is to provide useful and accurate information about error handling in Dart, but it’s always recommended to consult the official documentation and other reliable resources for the most up-to-date and comprehensive information. If you find any errors or have any suggestions, please don’t hesitate to contact me. Thank you for reading!

This article was written and curated by Andres Garcia, with the support of an artificial intelligence using machine learning to produce text.