Error Boundaries

Introduction/Motivation

Why Learn About Error Boundaries?

Imagine you’re using an app, and one small bug crashes the entire application. Frustrating, right? As developers, we want to ensure our apps are resilient. React’s Error Boundaries provide a way to handle errors gracefully, improving the user experience and making debugging easier.

Error Boundaries simulate the try … catch error handling that you know from javascript. But, you are not able to use try … catch in JSX. For example this is impossible:

function App() {
  return (
    <>
      { 
        try {
           return <Foo />
        } catch (e) { }
      }
    </>
  )
} 

Real-world scenario:
You’re working on a dashboard with multiple components (charts, tables, forms). A bug in one chart crashes the entire dashboard! Instead of the app going blank, wouldn’t it be better to show an error message while keeping the rest of the dashboard functional?

Error Boundaries are your solution!


Lecture: Error Boundaries in React

What Are Error Boundaries?

Error Boundaries are React components that catch JavaScript errors anywhere in their child component tree. They display a fallback UI instead of crashing the whole app.

Key Features

  1. Only catch errors during rendering, lifecycle methods, and constructors.
  2. Do not catch errors in event handlers.
  3. Must be class components.

How Do Error Boundaries Work?

Basic Example

Let’s start with a component that might fail:

function BuggyComponent() {
  throw new Error("Something went wrong!");
  return <div>Will never render</div>;
}

If BuggyComponent crashes, React unmounts the entire app. We prevent this with an Error Boundary.

Creating an Error Boundary

  1. Define a Class Component:

    We normally use functional components and never class components, but this time we will use class components. This course does not cover them, so please just remember the syntax.
import React from "react";

class ErrorBoundary extends React.Component {
  constructor(props) {
    super(props);
    this.state = { hasError: false };
  }

  static getDerivedStateFromError(error) {
    // Update state to show fallback UI
    return { hasError: true };
  }

  componentDidCatch(error, errorInfo) {
    // Log error details for debugging
    console.error("Error caught by boundary:", error, errorInfo);
  }

  render() {
    if (this.state.hasError) {
      // Fallback UI
      return <h1>Something went wrong.</h1>;
    }

    return this.props.children;
  }
}

export default ErrorBoundary;

2. Wrap the Buggy Component:

Now, when error happens inside the <ErroBoundary /> component, it will correctly catch and handle it!

function App() {
  return (
    <div>
      <ErrorBoundary>
        <BuggyComponent />
      </ErrorBoundary>
    </div>
  );
}

Advanced Concepts

1. Customizing the Fallback UI

You can customise the UI of the error message in the render component!

render() {
  if (this.state.hasError) {
    return (
      <div>
        <h1>Oops, something broke!</h1>
        <button onClick={() => window.location.reload()}>Reload</button>
      </div>
    );
  }
  return this.props.children;
}

2. When Not to Use Error Boundaries

  • For catching errors in event handlers: Use try...catch instead.
  • Errors outside React components, like network requests, should be handled differently.

Advantages and Limitations

AdvantagesLimitations
Prevent the app from crashingCan’t catch all errors
Provide fallback UI for usersMust be class components
Log errors for easier debuggingDoesn’t handle async errors

Conclusion

Key Takeaways

  1. Error Boundaries improve app resilience by isolating crashes.
  2. Use getDerivedStateFromError and componentDidCatch for error handling and logging.
  3. They are class components and handle render-phase errors.

Common Pitfalls

  • Forgetting to wrap components.
  • Using Error Boundaries for non-React errors like API calls.

Best Practice: Use Error Boundaries at critical application layers, like wrapping a dashboard or a router.

Slides

Imagine you’re using an app, and one small bug crashes the entire application. Frustrating, right? As developers, we want to ensure our apps are resilient. React’s Error Boundaries provide a way to handle errors gracefully, improving the user experience and making debugging easier. Let's learn!!


Consider this Buggy Component that creates an error which is not handled by a try, catch statement.


If we try to use this component, the whole React component unloads from your browser, rendering an empty window ...


And you can spot the message in the browser console advising you to use "Error Boundaries" to catch these errors.


While you can use try/catch in your child component to catch the error, there is not way for us to create safety net in the parent component using the try catch statement. There are two reasons.


First the try catch is a block statement and its syntax will not work in JSX. Second, and more importantly, React rendering is asynchronous and try catch assumes synchronous code. LEt's explore how can we solve this issue!


So, what are error boundaries and what do they do?


Error Boundaries prevent the entire app from crashing by isolating errors in components.


React requires a lifecycle to handle errors, so Error Boundaries can’t be functional components. This is the only time in this course, when we use the class components.


This means they won’t help with event handlers or async code, but purely focus on synchronous errors thrown in your components.


Let's create and use our Error Boundary.


We mentioned earlier that the error boundary must be a class component, as it uses some React wiring not available in functional components.


In the constructor, we initialise the state, in our case, he will track whether the component caught an error and what is its value.


The getDeriverdStateFromError is a special static function that parses an incoming error and returns what interests us. In our case, it prepares state variables, saying that hasError must be set to true, and passs down the error itself.


The componentDidCatch method is another special method executed when an error is caught during React rendering. It has two parameters, an error itself and erroInfo, which is returned by the getDerivedStateFromError function we just set up. In this method, we should probably also notify the website admin that the website encountered an error or at least store it in the application lof for further investigation!


In the render method, we have to return the HTML code, in this case we just return children if there is no error, otherwise, we show an error message,


When we execute this code, we see that the Error Boundary caught this error and correctly rendered the error message received from the component. Mission Accomplished!