一个组件可以通过使用一些高阶函数来懒加载它的依赖,无需通过它的父元素,同时,一个父元素可以使用一个接受函数和一系列模块的组件来懒加载它的子元素,无需通过它的子元素,或者混合使用这两种方式。
我们来看一个父元素在选择懒加载一些组件的例子。importLazy
只是一个简单的返回 default
属性的函数,是为了兼容Babel/ES2015。如果你不需要,可以去掉 importLazy
方法。importLazy
只是返回了目标模块里面任何被 export default
的部分。
<LazilyLoad modules={{
TodoHandler: () => importLazy(import('./components/TodoHandler')),
TodoMenuHandler: () => importLazy(import('./components/TodoMenuHandler')),
TodoMenu: () => importLazy(import('./components/TodoMenu')),
}}>
{({TodoHandler, TodoMenuHandler, TodoMenu}) => (
<TodoHandler>
<TodoMenuHandler>
<TodoMenu />
</TodoMenuHandler>
</TodoHandler>
)}
</LazilyLoad>
一个组件也可以确保自己的依赖是被懒加载的。如果一个组件依赖了比较重的库时,会用到这一点。比如我们有一个让代码选择性的高亮显示的Todo组件......
class Todo extends React.Component {
render() {
return (
<div>
{this.props.isCode ? <Highlight>{content}</Highlight> : content}
</div>
);
}
}
然后我们就可以保证,那个支持Highlight组件的重的库仅仅在我们真正想要高亮一些代码的时候再加载:
// Highlight.js
class Highlight extends React.Component {
render() {
const {Highlight} = this.props.highlight;
// highlight js 现在在props里面以备使用
}
}
export LazilyLoadFactory(Highlight, {
highlight: () => import('highlight'),
});
请注意,Highlight组件的父元素不知道它有一个依赖会被懒惰加,这是怎么实现的? 或者如果所有todo里面都没有代码,我们就永远不需要加载highlight.js了吗?
暴露出一个组件及其高阶组件接口的LazilyLoad组件模块的源代码(如下),(里面有一个)让ES2015的定义更自然的importLazy函数。
import React from 'react';
class LazilyLoad extends React.Component {
constructor() {
super(...arguments);
this.state = {
isLoaded: false,
};
}
componentDidMount() {
this._isMounted = true;
this.load();
}
componentDidUpdate(previous) {
if (this.props.modules === previous.modules) return null;
this.load();
}
componentWillUnmount() {
this._isMounted = false;
}
load() {
this.setState({
isLoaded: false,
});
const { modules } = this.props;
const keys = Object.keys(modules);
Promise.all(keys.map((key) => modules[key]()))
.then((values) => (keys.reduce((agg, key, index) => {
agg[key] = values[index];
return agg;
}, {})))
.then((result) => {
if (!this._isMounted) return null;
this.setState({ modules: result, isLoaded: true });
});
}
render() {
if (!this.state.isLoaded) return null;
return React.Children.only(this.props.children(this.state.modules));
}
}
LazilyLoad.propTypes = {
children: React.PropTypes.func.isRequired,
};
export const LazilyLoadFactory = (Component, modules) => {
return (props) => (
<LazilyLoad modules={modules}>
{(mods) => <Component {...mods} {...props} />}
</LazilyLoad>
);
};
export const importLazy = (promise) => (
promise.then((result) => result.default)
);
export default LazilyLoad;