远程模块渲染错误处理方案
版本要求
此方案需要升级 @module-federation/runtime
版本至 0.8.10 或以上版本
背景
远程模块加载过程可能会因网络资源加载失败或自身业务逻辑渲染失败等因素造成远程模块加载失败。
虽然 Module Federation Runtime 在此过程中提供了尽可能详细的错误日志信息及 runtime hook 来帮助用户定位加载失败的原因,但是更多的我们需要针对此类不可控因素增加错误兜底机制以保证整个站点的稳定性,防止因某个远程模块渲染失败导致整个站点崩溃。
解决方案
为了构建一个健壮的远程模块加载机制,我们可以从以下三个层面来处理可能出现的问题:
以下解决方案均可参考 router-demo 中示例。
网络层:重试机制
使用 @module-federation/retry-plugin
插件来处理网络相关的问题:
- 自动重试失败的资源请求
- 可配置重试次数和间隔时间
- 支持自定义错误处理策略
加载层:错误处理钩子
利用 Module Federation Runtime 提供的 errorLoadRemote
hook 进行更细粒度的错误处理:
- 在不同的加载生命周期捕获错误
- 提供兜底组件或备用资源
- 支持自定义错误处理策略
渲染层:错误边界
通过 React 的 ErrorBoundary
机制来处理组件渲染时的异常:
- 优雅降级,显示友好的错误提示
- 隔离错误影响范围,防止整个应用崩溃
- 支持错误恢复和重试加载
这三种方案各自针对不同的场景,可以单独使用,也可以组合使用以提供更完善的错误处理机制。下面我们将详细介绍每种方案的具体实现。
增加重试机制
对于弱网环境或生产者还未启动服务的情况,我们可以增加重试机制多次请求资源,这将提高资源加载成功的概率。
Module Federation 官方提供重试插件 @module-federation/retry-plugin 来支持对资源的重试机制,支持 fetch 和 script 资源的重试。
纯运行时注册
import React from 'react';
import { init, loadRemote } from '@module-federation/enhanced/runtime';
+ import { RetryPlugin } from '@module-federation/retry-plugin';
// 模块注册
init({
name: 'host',
remotes: [
{
name: "remote1",
alias: "remote1"
entry: "http://localhost:2001/mf-manifest.json",
}
],
+ plugins: [
+ RetryPlugin({
+ fetch: {},
+ script: {},
+ }),
]
});
// 模块加载
const Remote1Button = React.lazy(() => loadRemote('remote1/button'));
export default () => {
return (
<React.Suspense fallback={<div> Loading Remote1App...</div>}>
<Remote1Button />
</React.Suspense>
);
}
// 方法/函数加载
loadRemote<{add: (...args: Array<number>)=> number }>("remote1/util").then((md)=>{
md.add(1,2,3);
});
更多关于 @module-federation/retry-plugin 的参数配置请查看 文档
插件注册
import { pluginModuleFederation } from '@module-federation/rsbuild-plugin';
import { defineConfig } from '@rsbuild/core';
import { pluginReact } from '@rsbuild/plugin-react';
import path from 'path';
export default defineConfig({
plugins: [
pluginReact(),
pluginModuleFederation({
name: 'host',
remotes: {
remote1: 'remote1@http://localhost:2001/mf-manifest.json',
},
+ runtimePlugins: [
+ path.join(__dirname, './src/runtime-plugin/retry.ts'),
+ ],
...
}),
],
});
// src/runtime-plugin/retry.ts
import { RetryPlugin } from '@module-federation/retry-plugin';
const retryPlugin = () =>
RetryPlugin({
fetch: {},
script: {
retryTimes: 3,
retryDelay: 1000,
cb: (resolve, error) => {
return setTimeout(() => {
resolve(error);
}, 1000);
},
},
});
export default retryPlugin;
效果如下:
Block 网络请求
data:image/s3,"s3://crabby-images/86bc7/86bc7ab827108cc713ff2a539e9f4b24e8649023" alt=""
Block 后又 Enable
data:image/s3,"s3://crabby-images/ecde5/ecde507924b2709c378327a815a89f7e16748f13" alt=""
errorLoadRemote hook
对于远程模块在加载过程中的错误均可在 errorLoadRemote
hook 中捕获。
errorLoadRemote
是 Module Federation Runtime 错误处理的 hook。当远程模块加载失败时,此钩子将被触发。它被设计为在模块加载的各个生命周期阶段失败时触发,并允许用户自定义错误处理策略。
errorLoadRemote
支持返回一个兜底组件用户错误兜底,同时也支持返回特定资源内容用于保证后续流程正常渲染。
我们按模块注册和加载用法分为 「纯运行时 + 动态 import」和「插件注册 + 同步 import」。
纯运行时 + 动态 import
纯运行时注册时,远程模块在注册后实际加载前才会请求资源。
import React from 'react';
import { init, loadRemote } from '@module-federation/enhanced/runtime';
import { RetryPlugin } from '@module-federation/retry-plugin';
// 模块注册
init({
name: 'host',
remotes: [
{
name: "remote1",
entry: "http://localhost:2001/mf-manifest.json",
alias: "remote1"
}
],
plugins: [
RetryPlugin({
fetch: {},
script: {},
}),
]
});
// 模块加载
const Remote1Button = React.lazy(() => loadRemote('remote1/button'));
export default () => {
return (
<React.Suspense fallback={<div> Loading Remote1App...</div>}>
<Remote1Button />
</React.Suspense>
);
}
// 方法/函数加载
loadRemote<{add: (...args: Array<number>)=> number }>("remote1/util").then((md)=>{
md.add(1,2,3);
});
使用 errorLoadRemote
hook 来捕获远程模块加载错误(资源加载错误亦包含在内),支持返回 errorBoundary
兜底组件。
import React from 'react';
import { init, loadRemote } from '@module-federation/enhanced/runtime';
import { RetryPlugin } from '@module-federation/retry-plugin';
+ const fallbackPlugin: () => FederationRuntimePlugin = function () {
+ return {
+ name: 'fallback-plugin',
+ errorLoadRemote(args) {
+ return { default: () => <div> fallback component </div> };
+ },
+ };
+ };
// 模块注册
init({
name: 'host',
remotes: [
{
name: "remote1",
alias: "remote1"
entry: "http://localhost:2001/mf-manifest.json",
}
],
plugins: [
RetryPlugin({
fetch: {},
script: {},
}),
+ fallbackPlugin()
]
});
// 模块加载
const Remote1Button = React.lazy(() => loadRemote('remote1/button'));
export default () => {
return (
<React.Suspense fallback={<div> Loading Remote1App...</div>}>
<Remote1Button />
</React.Suspense>
);
}
// 方法/函数加载
loadRemote<{add: (...args: Array<number>)=> number }>("remote1/util").then((md)=>{
md.add(1,2,3);
});
效果如下:
Block 网络请求
data:image/s3,"s3://crabby-images/655cf/655cf7dfedd8e7a44c8dc7da58a1d583ac5578fa" alt=""
Block 后又 Enable
data:image/s3,"s3://crabby-images/ac9aa/ac9aade7efe33ded85f7ce3efc4cae5bba330415" alt=""
插件注册 + 同步 import
插件中注册模块支持使用同步 import 加载模块,资源请求时机相较于纯运行时会提前,这时我们需要在插件中注册 errorLoadRemote
hook.
// rsbuild.config.ts
import { pluginModuleFederation } from '@module-federation/rsbuild-plugin';
import { defineConfig } from '@rsbuild/core';
import { pluginReact } from '@rsbuild/plugin-react';
import path from 'path';
export default defineConfig({
plugins: [
pluginReact(),
pluginModuleFederation({
name: 'host',
remotes: {
remote1: 'remote1@http://localhost:2001/mf-manifest.json',
},
runtimePlugins: [
path.join(__dirname, './src/runtime-plugin/retry.ts'),
path.join(__dirname, './src/runtime-plugin/fallback.ts'),
],
...
}),
],
});
提示
下述示例展示了如何根据不同的生命周期阶段精细化处理错误。如果你的应用场景较为简单,不需要区分错误类型,可以参考下方的 简化版本,它提供了一个统一的错误处理方案。
// src/runtime-plugin/fallback.ts
import type { FederationRuntimePlugin, Manifest } from '@module-federation/runtime';
interface FallbackConfig {
// 备用服务地址
backupEntryUrl?: string;
// 自定义错误提示
errorMessage?: string;
}
const fallbackPlugin = (config: FallbackConfig = {}): FederationRuntimePlugin => {
const {
backupEntryUrl = 'http://localhost:2002/mf-manifest.json',
errorMessage = '模块加载失败,请稍后重试'
} = config;
return {
name: 'fallback-plugin',
async errorLoadRemote(args) {
// 处理组件加载错误
if (args.lifecycle === 'onLoad') {
const React = await import('react');
// 创建一个带有错误提示的兜底组件
const FallbackComponent = React.memo(() => {
return React.createElement(
'div',
{
style: {
padding: '16px',
border: '1px solid #ffa39e',
borderRadius: '4px',
backgroundColor: '#fff1f0',
color: '#cf1322'
}
},
errorMessage
);
});
FallbackComponent.displayName = 'ErrorFallbackComponent';
return () => ({
__esModule: true,
default: FallbackComponent
});
}
// 处理入口文件加载错误
if (args.lifecycle === 'afterResolve') {
try {
// 尝试加载备用服务
const response = await fetch(backupEntryUrl);
if (!response.ok) {
throw new Error(`Failed to fetch backup entry: ${response.statusText}`);
}
const backupManifest = await response.json() as Manifest;
console.info('Successfully loaded backup manifest');
return backupManifest;
} catch (error) {
console.error('Failed to load backup manifest:', error);
// 如果备用服务也失败,返回原始错误
return args;
}
}
return args;
},
};
};
export default fallbackPlugin;
效果如下:
Block 网络请求
data:image/s3,"s3://crabby-images/c2c21/c2c211cf97b11ade50eff4c00d50d278729a8f47" alt=""
Block 后又 Enable
data:image/s3,"s3://crabby-images/e31de/e31ded1a37d7a0f4a5d8d098b1868dd1f666fa34" alt=""
为组件设置 ErrorBoundary
React 的 ErrorBoundary 是处理组件级错误的最后一道防线,在远程模块的动态加载场景中(如懒加载),它可以帮助我们捕获和处理远程模块的渲染错误并提供优雅的降级处理。
为组件设置 ErrorBoundary 适用于动态导入远程模块场景,例如 懒加载场景。
此外,在为组件自身设置 ErrorBoundary 后你可以不依赖 errorLoadRemote hook 来进行错误兜底,这是利用 React 自身的特性来为你的组件进行错误兜底。
// App.tsx
import React, {
useRef,
useEffect,
ForwardRefExoticComponent,
Suspense,
} from 'react';
const Remote1AppWithLoadRemote = React.lazy(() => loadRemote('remote1/app'));
const Remote1AppWithErrorBoundary = React.forwardRef<any, any>((props, ref) => (
<ErrorBoundary fallback={<div>Error loading Remote1App...</div>}>
<Suspense fallback={<div> Loading Remote1App...</div>}>
<Remote1AppWithLoadRemote {...props} ref={ref} />
</Suspense>
</ErrorBoundary>
));
export default function App() {
return (
<>
<div className="flex flex-row">
<h2>Remote1</h2>
<Remote1AppWithErrorBoundary />
</div>
</>
);
}
效果如下:
Block 网络请求
data:image/s3,"s3://crabby-images/b6459/b64597fb2459b98c9d829ad2275776b9df741ed8" alt=""
Block 后又 Enable
data:image/s3,"s3://crabby-images/b2719/b27197b18301c7b783ebe50117ed04c5d36b71d4" alt=""