How to capture exceptions gracefully in React

How to capture exceptions gracefully in React

Preface

No one is perfect, so there will always be errors in the code. Errors are not terrible, the key is how to deal with them.
I just want to ask you how to capture errors in react applications? At this time:

  • Xiaobai+++: How to deal with it?
  • Xiaobai++: ErrorBoundary
  • Xiaobai+: ErrorBoundary, try catch
  • Xiaohei#: ErrorBoundary, try catch, window.onerror
  • Xiaohei##: This is a serious problem. I know many ways to deal with it. Do you have any better solution?

ErrorBoundary

EerrorBoundary came out in version 16. Someone asked me what about my version 15. I didn’t want to hear it. I use version 16 anyway, and of course 15 has unstable_handleError .

The official website of ErrorBoundary has a detailed introduction, but this is not the point. The point is what exceptions it can capture.

  • Rendering of child components
  • Lifecycle Functions
  • Constructor
  • class ErrorBoundary extends React.Component {
  constructor(props) {
    super(props);
    this.state = { hasError: false };
  }

  componentDidCatch(error, info) {
    // Display fallback UI
    this.setState({ hasError: true });
    // You can also log the error to an error reporting service
    logErrorToMyService(error, info);
  }

  render() {
    if (this.state.hasError) {
      // You can render any custom fallback UI
      return <h1>Something went wrong.</h1>;
    }
    return this.props.children;
  }
}

<ErrorBoundary>
  <MyWidget />
</ErrorBoundary>

The open source world is great. A great author has already encapsulated an excellent library like react-error-boundary.
You only need to worry about what to do after an error occurs, and then reset it, perfect.

import {ErrorBoundary} from 'react-error-boundary'

function ErrorFallback({error, resetErrorBoundary}) {
  return (
    <div role="alert">
      <p>Something went wrong:</p>
      <pre>{error.message}</pre>
      <button onClick={resetErrorBoundary}>Try again</button>
    </div>
  )
}

const ui = (
  <ErrorBoundary
    FallbackComponent={ErrorFallback}
    onReset={() => {
      // reset the state of your app so the error doesn't happen again
    }}
  >
    <ComponentThatMayError />
  </ErrorBoundary>
)

Unfortunately, error boundaries do not catch these errors:

  • Event Handlers
  • Asynchronous code (eg setTimeout or requestAnimationFrame callbacks)
  • Server-side rendering code
  • Error boundaries Errors thrown by themselves

The original text can be found at the official website introducing-error-boundaries

This article aims to capture errors in event handlers.
The official solution is how-about-event-handlers, which is try catch.

But, so many event handlers, my God, how many do I have to write? . . . . . . . . . . . . . . . . . . .

  handleClick() {
    try {
      // Do something that could throw
    } catch (error) {
      this.setState({ error });
    }
  }

Beyond Error Boundary

Let's first look at a table that lists the means and scope by which we can capture exceptions.

Exception Type Synchronous methods Asynchronous methods Resource loading Promises async/await
try/catch
window.onerror
error
unhandledrejection

try/catch

Can catch both synchronous and async/await exceptions.

window.onerror , error event

    window.addEventListener('error', this.onError, true);
    window.onerror = this.onError

window.addEventListener('error') can capture more resources and record exceptions than window.onerror.
Please note that the last parameter is true, if it is false it may not work as you expect.
Of course, if you ask about the meaning of the third parameter, I won't want to talk to you. bye.

unhandledrejection

Note that the last parameter is true.

window.removeEventListener('unhandledrejection', this.onReject, true)

It catches uncaught Promise exceptions.

XMLHttpRequest and fetch

XMLHttpRequest is easy to handle and has its own onerror event.
Of course, 99.99% of you will not encapsulate a library based on XMLHttpRequest yourself. Axios is really good, with such a complete error handling mechanism.
As for fetch, if you run catch yourself and don't handle it, it's your own problem.
So many, so difficult.
Fortunately, there is actually a library react-error-catch which is a component based on ErrorBoudary, error and unhandledrejection encapsulation.
The core is as follows

   ErrorBoundary.prototype.componentDidMount = function () {
        // event catch
        window.addEventListener('error', this.catchError, true);
        // async code
        window.addEventListener('unhandledrejection', this.catchRejectEvent, true);
    };

use:

import ErrorCatch from 'react-error-catch'

const App = () => {
  return (
  <ErrorCatch
      app="react-catch"
      user="cxyuns"
      delay={5000}
      max={1}
      filters={[]}
      onCatch={(errors) => {
        console.log('error reported');
        // Report exception information to the backend and dynamically create tags new Image().src = `http://localhost:3000/log/report?info=${JSON.stringify(errors)}`
      }}
    >
      <Main />
    </ErrorCatch>)
}

export default

Applause, applause.
In fact, this is not the case: the most important thing about errors captured by error is that it provides error stack information, which is quite unfriendly for error analysis, especially after packaging.
There are so many errors, so I will first deal with the event handlers in React.
As for the rest, to be continued.

Exception catching in event handlers

Example

My idea is very simple, use decorator to rewrite the original method.
Let's take a look at the usage first:

   @methodCatch({ message: "Failed to create order", toast: true, report:true, log:true })
    async createOrder() {
        const data = {...};
        const res = await createOrder();
        if (!res || res.errCode !== 0) {
            return Toast.error("Failed to create order");
        }
        
        .......
        Other codes that may cause exceptions...
        
       Toast.success("Order created successfully");
    }

Note the four parameters:

  • message: When an error occurs, the error printed
  • toast: An error occurred, whether to Toast
  • report: If an error occurs, whether to report it
  • log: Use console.error to print

Maybe you will say that this is news that is certain and unreasonable. What if I had any other news?
At this time I smiled and said, "Don't worry, let's look at another piece of code."

  @methodCatch({ message: "Failed to create order", toast: true, report:true, log:true })
    async createOrder() {
        const data = {...};
        const res = await createOrder();
        if (!res || res.errCode !== 0) {
            return Toast.error("Failed to create order");
        }
       
        .......
        Other codes that may cause exceptions...
        
       throw new CatchError("Failed to create order, please contact the administrator", {
           toast: true,
           report: true,
           log: false
       })
       
       Toast.success("Order created successfully");

    }

Yes, that’s right, you can override the default options by throwing a custom CatchError.
This methodCatch can capture both synchronous and asynchronous errors. Let's take a look at the entire code.

Type Definition

export interface CatchOptions {
    report?: boolean;
    message?: string;
    log?: boolean;
    toast?: boolean;
}

// It is more reasonable to write it in const.ts export const DEFAULT_ERROR_CATCH_OPTIONS: CatchOptions = {
    report: true,
    message: "Unknown exception",
    log: true,
    toast: false
}

Custom CatchError

import { CatchOptions, DEFAULT_ERROR_CATCH_OPTIONS } from "@typess/errorCatch";

export class CatchError extends Error {

    public __type__ = "__CATCH_ERROR__";
    /**
     * Caught error * @param message message * @options other parameters */
    constructor(message: string, public options: CatchOptions = DEFAULT_ERROR_CATCH_OPTIONS) {
        super(message);
    }
}

Decorators

import Toast from "@components/Toast";
import { CatchOptions, DEFAULT_ERROR_CATCH_OPTIONS } from "@typess/errorCatch";
import { CatchError } from "@util/error/CatchError";


const W_TYPES = ["string", "object"];
export function methodCatch(options: string | CatchOptions = DEFAULT_ERROR_CATCH_OPTIONS) {

    const type = typeof options;

    let opt ​​: CatchOptions;

    
    if (options == null || !W_TYPES.includes(type)) { // null or not a string or object opt ​​= DEFAULT_ERROR_CATCH_OPTIONS;
    } else if (typeof options === "string") { // string opt = {
            ...DEFAULT_ERROR_CATCH_OPTIONS,
            message: options || DEFAULT_ERROR_CATCH_OPTIONS.message,
        }
    } else { // Valid object opt ​​= { ...DEFAULT_ERROR_CATCH_OPTIONS, ...options }
    }

    return function (_target: any, _name: string, descriptor: PropertyDescriptor): any {

        const oldFn = descriptor.value;

        Object.defineProperty(descriptor, "value", {
            get() {
                async function proxy(...args: any[]) {
                    try {
                        const res = await oldFn.apply(this, args);
                        return res;
                    } catch (err) {
                        // if (err instanceof CatchError) {
                        if(err.__type__ == "__CATCH_ERROR__"){
                            err = err as CatchError;
                            const mOpt = { ...opt, ...(err.options || {}) };

                            if (mOpt.log) {
                                console.error("asyncMethodCatch:", mOpt.message || err.message , err);
                            }

                            if (mOpt.report) {
                                // TODO::
                            }

                            if (mOpt.toast) {
                                Toast.error(mOpt.message);
                            }

                        } else {
                            
                            const message = err.message || opt.message;
                            console.error("asyncMethodCatch:", message, err);

                            if (opt.toast) {
                                Toast.error(message);
                            }
                        }
                    }
                }
                proxy._bound = true;
                return proxy;
            }
        })
        return descriptor;
    }
}

To sum up

Use decorators to rewrite the original method to capture errors. Customize the error class and throw it to override the default options. Increased flexibility.

  @methodCatch({ message: "Failed to create order", toast: true, report:true, log:true })
    async createOrder() {
        const data = {...};
        const res = await createOrder();
        if (!res || res.errCode !== 0) {
            return Toast.error("Failed to create order");
        }
       Toast.success("Order created successfully");
       
        .......
        Other codes that may cause exceptions...
        
       throw new CatchError("Failed to create order, please contact the administrator", {
           toast: true,
           report: true,
           log: false
       })
    }

Next step

What’s the next step? Let’s take it one step at a time.
No, the road ahead is still long. This is just a basic version.

Expanding results

@XXXCatch
class AAA{
    @YYYCatch
    method = () => {
    }
}

Abstract, abstract, abstract

goodbye.

Final Thoughts

error-boundaries
React Exception Handling
catching-react-errors
React advanced exception handling mechanism-error Boundaries
decorator
core-decorators
autobind.js

This is the end of this article about how to capture exceptions in React elegantly. For more content about React catching exceptions, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope you will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Encapsulate a simplest ErrorBoundary component to handle react exceptions
  • Detailed explanation of exception handling in React 16

<<:  MySQL database migration quickly exports and imports large amounts of data

>>:  How to solve the problem of zabbix monitoring causing Chinese garbled characters in the graphical interface due to PHP problems

Recommend

Tutorial on how to create a comment box with emoticons using HTML and CSS

HTML comment box with emoticons. The emoticons ar...

How to position the header at the top using CSS sticky layout

Application scenarios: One of the new requirement...

MySQL Series Database Design Three Paradigm Tutorial Examples

Table of contents 1. Knowledge description of the...

JS+AJAX realizes the linkage of province, city and district drop-down lists

This article shares the specific code of JS+AJAX ...

Use of LRU algorithm in Vue built-in component keep-alive

Table of contents The use of Vue's keep-alive...

Example of using MySQL to count the number of different values ​​in a column

Preface The requirement implemented in this artic...

Detailed explanation of CSS3 elastic expansion box

use Flexible boxes play a vital role in front-end...

HTML css js implements Tab page sample code

Copy code The code is as follows: <html xmlns=...

Notes on Using Textarea

Why mention textarea specifically? Because the tex...

CSS to achieve Tik Tok subscription button animation effect

I was watching Tik Tok some time ago and thought ...

Implementing login page based on layui

This article example shares the specific code of ...

Realize super cool water light effect based on canvas

This article example shares with you the specific...

Detailed explanation of Docker usage under CentOS8

1. Installation of Docker under CentOS8 curl http...

Linux remote control windows system program (three methods)

Sometimes we need to remotely run programs on the...

XHTML introductory tutorial: Use of list tags

Lists are used to list a series of similar or rela...