我不确定这是不是正确的方法,但也许你可以编写某种 webpack 加载器来预处理你的文件,<Route />
在你的文件中查找模式,识别它们渲染的组件的路径并将它们转换为可加载的组件该信息。
这有点hacky,但它应该可以工作(仅适用于导入,但您可以根据需要调整它以满足您的要求):
网络包配置:
{
test: /\.js$/,
exclude: /node_modules/,
use: {
loader: [
"babel-loader", // Rest of your loaders
path.resolve(__dirname, 'path/to/your/loader.js')
]
}
}
加载器.js:
module.exports = function (source) {
const routeRegex = new RegExp(/<Route.*component={(.*)}.*\/>/g);
let matches;
let components = [];
while (matches = routeRegex.exec(source)) {
components.push(matches[1]); // Get all the component import names
}
// Replace all import lines by a MyLoadable lines
components.forEach((component) => {
const importRegex = new RegExp(`import ${component} from '(.*)'`);
const path = importRegex.exec(source)[1];
source = source.replace(importRegex, `
const ${component} = MyLoadable({
loader: () => import('${path}')
});
`);
});
source = `
import MyLoadable from './MyLoadable';
${source}
`;
return source;
};
这绝对是 hacky,但如果你坚持惯例,这可能会奏效。它转换这种文件:
import Page1 from './Page1';
import Page2 from './Page2';
export default () => (
<Switch>
<Route path='/page1' component={Page1} />
<Route path='/page2' component={Page2} />
</Switch>
);
进入这个文件:
import MyLoadable from './MyLoadable;
const Page1 = MyLoadable({
loader: () => import('./Page1')
});
const Page2 = MyLoadable({
loader: () => import('./Page2')
});
export default () => (
<Switch>
<Route path='/page1' component={Page1} />
<Route path='/page2' component={Page2} />
</Switch>
);
这个例子有一些问题(路径MyLoadable
应该是绝对的,它只有在页面组件被导入时才有效,可加载组件不在单独的文件中,这可能导致重复,......)但你明白了