博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
React Native 异常处理
阅读量:5823 次
发布时间:2019-06-18

本文共 6863 字,大约阅读时间需要 22 分钟。

原文地址:

React Native页面出现错误时:

1、开发模式下,会出现红色背景的页面,展示当前代码错误信息

2、bundle模式下,则会出现白屏或者闪退

开发模式

bundle模式

在生产环境下,因RN页面异常导致整个APP白屏或者闪退,用户体验并不好,所以应该对异常进行捕获并处理,提高用户体验

主要使用两种方法对RN页面的异常进行捕获并处理:

1、React Error Boundaries (异常边界组件)

2、React Native ErrorUtils 模块

React Error Boundaries (异常边界组件)

React Error Boundaries (异常边界组件)是React 16 引入的新概念,为了避免React的组件内的UI异常导致整个应用的异常

对React的异常边界组件不熟悉的小伙伴可以看看我的文章:

这里简单介绍下:

Error Boundaries(异常边界)是React组件,用于捕获它子组件树种所有组件产生的js异常,并渲染指定的兜底UI来替代出问题的组件

它能捕获子组件生命周期函数中的异常,包括构造函数(constructor)和render函数

而不能捕获以下异常:

  • Event handlers(事件处理函数)
  • Asynchronous code(异步代码,如setTimeout、promise等)
  • Server side rendering(服务端渲染)
  • Errors thrown in the error boundary itself (rather than its children)(异常边界组件本身抛出的异常)

所以可以通过异常边界组件捕获组件生命周期内的所有异常并渲染兜底UI,防止APP白屏或闪退,提高用户体验,也可在兜底UI中指引用户反馈截图反馈问题,方便问题的排查和修复

直接上代码:

with_error_boundary.js

...function withErrorBoundary(    WrappedComponent: React.ComponentType 
, errorCallback: Function, allowedInDevMode: boolean, opt: Object = {}) { return class extends React.Component
{ state = { error: null, errorInfo: false, visible: false, } componentDidCatch(error: Error, errorInfo: any) { this.setState({ error, errorInfo, visible: true, }) errorCallback && errorCallback(error, errorInfo) } handleLeft = () => { ... } render() { const { title = 'Unexpected error occurred', message = 'Unexpected error occurred' } = opt return ( this.state.visible && (allowedInDevMode ? true : process.env.NODE_ENV !== 'development') ? (
{message}
{ this.state.error && this.state.error.toString()}
{ this.state.errorInfo && this.state.errorInfo.componentStack }
) :
); } }}export default withErrorBoundary;复制代码

上面是一个React高阶组件,返回的组件定义了componentDidCatch生命周期函数,当其子组件出现异常时,会执行此componentDidCatch生命周期函数,渲染兜底UI

使用

...import withErrorBoundary from 'rn_components/exception_handler/with_error_boundary.js';...class ExceptionHandlerExample extends React.Component {    state = {        visible: false,    }    catch = () => {        console.log('catch');        this.setState({            visible: true,        });    }    render () {        if (this.state.visible) {            const a = d        }        return (            
this.props.history.go(-1)}/>
Click me
); }}// 异常边界组件的使用export default withErrorBoundary(ExceptionHandlerExample, (error, errorInfo) => { console.log('errorCallback', error, errorInfo);}, true);复制代码

上面我们也说过,异常边界组件能捕获子组件生命周期函数中的异常,包括构造函数(constructor)和render函数

而不能捕获以下异常:

  • Event handlers(事件处理函数)
  • Asynchronous code(异步代码,如setTimeout、promise等)
  • Server side rendering(服务端渲染)
  • Errors thrown in the error boundary itself (rather than its children)(异常边界组件本身抛出的异常)

所以需要使用 React Native ErrorUtils 模块对这些异常进行捕获并处理

React Native ErrorUtils 模块

React Native ErrorUtils 是负责对RN页面中异常进行管理的模块,功能很类似Web页面中的 window.onerror

首先我们看看怎么利用 React Native ErrorUtils 进行异步捕获和处理,直接上代码:

error_guard.js

const noop = () => {};export const setJSExceptionHandler = (customHandler = noop, allowedInDevMode = false) => {    if (typeof allowedInDevMode !== "boolean" || typeof customHandler !== "function") {        return;    }    const allowed = allowedInDevMode ? true : !__DEV__;    if (allowed) {        // !!! 关键代码        // 设置错误处理函数        global.ErrorUtils.setGlobalHandler(customHandler);        // 改写 console.error,保证报错能被 ErrorUtils 捕获并调用错误处理函数处理        console.error = (message, error) => global.ErrorUtils.reportError(error);    }};export const getJSExceptionHandler = () => global.ErrorUtils.getGlobalHandler();export default {    setJSExceptionHandler,    getJSExceptionHandler,};复制代码

上面关键的代码就两行,在注释中已标明

使用

import { setJSExceptionHandler } from './error_guard';import { Alert } from 'react-native';setJSExceptionHandler((e, isFatal) => {    if (isFatal) {        Alert.alert(            'Unexpected error occurred',            `            ${e && e.stack && e.stack.slice(0, 300)}...            `,            [{                text: 'OK',                onPress: () => {                    console.log('ok');                }            }]        );    } else {        console.log(e);    }}, true);复制代码

使用很简单,下面我们来看看 ErrorUtils 模块的源码

ErrorUtils 源码

本文源码是2018年9月10日拉取的React Native仓库master分支上的代码

error_guard.js

首先看看 ErrorUtils 的定义,源码位置:Libraries/polyfills/error_guard.js

let _inGuard = 0;let _globalHandler = function onError(e) {  throw e;};const ErrorUtils = {  setGlobalHandler(fun) {    _globalHandler = fun;  },  getGlobalHandler() {    return _globalHandler;  },  reportError(error) {    _globalHandler && _globalHandler(error);  },  reportFatalError(error) {    _globalHandler && _globalHandler(error, true);  },  ...};global.ErrorUtils = ErrorUtils;复制代码

上面只展示了我们使用了的方法,我们可以看到我们改写的 console.error,即 (message, error) => global.ErrorUtils.reportError(error) ,最终是执行的 _globalHandler

所以通过这种方法可以捕获到所有使用了 console.error 的异常,我们来看看 React Native 源码中什么地方使用了 ErrorUtils 来做异常捕获和处理

MessageQueue.js

来到 MessageQueue 源码,位置:Libraries/BatchedBridge/MessageQueue.js

__guard(fn: () => void) {    if (this.__shouldPauseOnThrow()) {        fn();    } else {        try {            fn();        } catch (error) {            ErrorUtils.reportFatalError(error);        }    }}复制代码

我们可以看到上面这个__guard方法中使用了try...catch...对函数的执行进行守护,当发生异常时,会调用 ErrorUtils.reportFatalError(error); 对错误进行处理

使用了__guard的地方这里就不一一列举了,我们可以看看 MessageQueue 这个模块在RN中处于什么位置

因为没有系统的看过RN的源码,在网上找了个介绍 Native 和 JS 之间通信的图,我们可以看到 MessageQueue 在 Native 和 JS 之间通信是很重要的模块

BatchedBridge.js

来到 BatchedBridge 源码,位置:Libraries/BatchedBridge/BatchedBridge.js

'use strict';const MessageQueue = require('MessageQueue');const BatchedBridge = new MessageQueue();Object.defineProperty(global, '__fbBatchedBridge', {  configurable: true,  value: BatchedBridge,});module.exports = BatchedBridge;复制代码

熟悉RN的同学应该知道,BatchedBridge是 Native 和 JS 之间通信的关键模块,从上面的源码我们可以知道,BatchedBridge实际就是MessageQueue实例

所以在 MessageQueue 模块中使用 ErrorUtils 能捕获到所有通信过程中的异常并调用_globalHandler处理

以上所有代码可在个人开发的RN组件库的项目中查看到:,组件库现在才刚开始建设,后续会不断完善

写在最后

以上就是我对 React Native 异常处理分享,希望能对有需要的小伙伴有帮助~~~

喜欢我的文章小伙伴可以去 点star ⭐️

转载地址:http://lqbdx.baihongyu.com/

你可能感兴趣的文章
mysql在命令行中,指定要连接的数据库?
查看>>
第一次作业--四则运算
查看>>
nodejs之模块加载机制
查看>>
HDU 3682 To Be an Dream Architect
查看>>
myeclipse报错: java compiler level does not match the version of the installed java project facet...
查看>>
关于socket——SO_SNDBUF and SO_RECVBUF
查看>>
Apache VirtualHost配置
查看>>
ubuntu 14.04 sudo apt-get 简单 安装 ffmpeg
查看>>
Drupal如何在header区域显示搜索框
查看>>
php中str_repeat函数
查看>>
队列1--周末舞会
查看>>
zookeeper集群的搭建
查看>>
SEO之HTML标签
查看>>
多少秒后跳转到指定页面
查看>>
Android跨应用间的数据传输
查看>>
关于团队项目的一些思考和理解
查看>>
新手正式入驻博客园
查看>>
[迷宫中的算法实践]迷宫生成算法——Prim算法
查看>>
Spring Boot(二):Web 综合开发
查看>>
MySQL
查看>>