7

我们使用 react 和react-loadable

在我们的应用程序初始化期间,我们正在验证我们定义component.preload的每个方法是否存在。<Route />

如果缺少该方法,我们会显示一个警告,表明该组件应该是可加载的。

我们使用webpack 4,有没有办法自动包装组件,这样我们就不用手动去做了?

这是一个组件的样子:

/** MyComponent.js: page component */
export default () => <div>Hello world</div>;

这是包装在 react-loadable 组件中的相同组件:

/**
 * preconfigured react-loadable 
 * See https://github.com/jamiebuilds/react-loadable#how-do-i-avoid-repetition)
 */
import MyLoadable from '@scopped/react-loadable';

/** loadable component */
export default MyLoadable({
  loader: () => import('./MyComponent'), /** import page component */
});
  1. 我们在不同的包<Route />中声明。node_modules
  2. 它可以使用<Resource />(来自react-admin)而不是<Route />
  3. 它们不以 ESM 格式分发,而仅以CJS (CommonJS) 格式分发。
4

1 回答 1

3

我不确定这是不是正确的方法,但也许你可以编写某种 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应该是绝对的,它只有在页面组件被导入时才有效,可加载组件不在单独的文件中,这可能导致重复,......)但你明白了

于 2019-02-25T13:18:33.750 回答