Project BackgroundRecently, there is a project with an older webpack version. Since the upgrade and framework change are not accepted by the leader layer for the time being o(╥﹏╥)o, it can only be optimized under the existing conditions. webpack3 + react16 webpack v3 configuration checkIt is obvious that the project configuration is inherited from v1. The upgrade from v1 to v3 is relatively simple. You can refer to the official website https://webpack.js.org/migrate/3/. Loaders become rules Analyze existing package problemsAfter building the package using webpack-bundle-analyzer, as shown in the figure The problem is pretty obvious: Except for the larger package zxcvbn, the code is simply packaged into vender and app, and the file is very large. Dynamic import split vendorAnalyze the vendor code. Some large packages, such as libphonenumber.js, are not used frequently. Take them out and request them when the relevant features are used. Refer to the official react code splitting guide, https://react.docschina.org/docs/code-splitting.html#import import { PhoneNumberUtil } from 'google-libphonenumber' function usePhoneNumberUtil(){ // Using PhoneNumberUtil } Modify to dynamic const LibphonenumberModule = () => import('google-libphonenumber') function usePhoneNumberUtil(){ LibphonenumberModule().then({PhoneNumberUtil} => { // Using PhoneNumberUtil }) } When Webpack parses this syntax, it will automatically perform code splitting. The modified effect: libphonenumber.js (1.chunk.js) is separated from vender, and in the actual operation of the project, the libphonenumber.js file is requested from the server only when entering the usePhoneNumberUtil process. Route-based code splittingReact.lazy Refer to the React official code splitting guide - route-based code splitting, https://react.docschina.org/docs/code-splitting.html#route-based-code-splitting. Example before splitting: import React from 'react'; import { Route, Switch } from 'react-router-dom'; const Home = import('./routes/Home'); const About = import('./routes/About'); const App = () => ( <Router> <Suspense fallback={<div>Loading...</div>}> <Switch> <Route exact path="/" component={Home}/> <Route path="/about" component={About}/> </Switch> </Suspense> </Router> ); Example after splitting: import React, { lazy } from 'react'; import { Route, Switch } from 'react-router-dom'; const Home = lazy(() => import('./routes/Home')); const About = lazy(() => import('./routes/About')); const App = () => ( // The routing configuration remains unchanged) Effect after splitting: app.js is automatically split into different files by webpack according to the route. When the route is switched, the target route code file will be pulled. Named ExportThis paragraph is quoted from https://react.docschina.org/docs/code-splitting.html#named-exports. // ManyComponents.js export const MyComponent = /* ... */; export const MyUnusedComponent = /* ... */; // MyComponent.js export { MyComponent as default } from "./ManyComponents.js"; // MyApp.js import React, { lazy } from 'react'; const MyComponent = lazy(() => import("./MyComponent.js")); Implementing AsyncComponent yourselfThe lazy loading routing component wrapped by React.lazy must add Suspense. If you don't want to force it, or need to freely extend the lazy implementation, you can define and implement AsyncComponent, and use it in the same way as lazy. import AsyncComponent from './components/asyncComponent.js' const Home = AsyncComponent(() => import('./routes/Home')); const About = AsyncComponent(() => import('./routes/About')); // async load component function AsyncComponent(getComponent) { return class AsyncComponent extends React.Component { static Component = null state = { Component: AsyncComponent.Component } componentDidMount() { if (!this.state.Component) { getComponent().then(({ default: Component }) => { AsyncComponent.Component = Component this.setState({ Component }) }) } } // component will be unmount componentWillUnmount() { // rewrite setState function, return nothing this.setState = () => { return } } render() { const { Component } = this.state if (Component) { return <Component {...this.props} /> } return null } } } common business code splittingAfter completing the route-based code splitting, I looked carefully at the package size and found that the total package size had increased from 2.5M to 3.5M. From the webpack analysis tool, we can see that the culprit is that each separate routing code is packaged with a separate public file such as components, utils, and locales. Use the webapck configuration to package the common part separately. Components file merge and exportThe example exports all the files under components together. The same is true for other files. function readFileList(dir, filesList = []) { const files = fs.readdirSync(dir) files.forEach((item) => { let fullPath = path.join(dir, item) const stat = fs.statSync(fullPath) if (stat.isDirectory()) { // Recursively read all files readFileList(path.join(dir, item), filesList) } else { /\.js$/.test(fullPath) && filesList.push(fullPath) } }) return filesList } exports.commonPaths = readFileList(path.join(__dirname, '../src/components'), []) Webpack configuration extracted from commonimport conf from '**'; module.exports = { entry: { common: conf.commonPaths, index: ['babel-polyfill', `./${conf.index}`], }, ... //Other configuration plugins:[ new webpack.optimize.CommonsChunkPlugin('common'), ... // other plugins ] } CommonsChunkPlugin is used in webpack3 to extract third-party libraries and common modules. The parameter Extract the code from commonAfter extracting the duplicate codes of each route, the total size of the package becomes 2.5M again. There is an additional common bundle file. (Common is too large, it can actually be further split) SummarizeThere are still many areas that can be optimized in webpack packaging. In addition, there are some differences between different webpack versions. The idea of unpacking is to extract the common ones and load them on demand according to the usage scenario. This is the end of this article about the implementation of Webpack3+React16 code splitting. For more relevant Webpack3+React16 code splitting content, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope you will support 123WORDPRESS.COM in the future! You may also be interested in:
|
<<: Steps for using the non-installed version of MySQL and solutions for forgetting the password
>>: How to lock a virtual console session on Linux
question By clicking a control, a floating layer ...
Table of contents introduction 1. What is one-cli...
For novices who have just started to build a webs...
Question 1: The writing method that will report a...
In general applications, we use timestamp, dateti...
Common scenarios for Nginx forwarding socket port...
1. Data flows from QT to JS 1. QT calls the JS fu...
the difference: 1. InnoDB supports transactions, ...
Server Status Analysis View Linux server CPU deta...
1. Let's look at a table creation statement f...
The specific code of JavaScript date effects is f...
Use of built-in functions in the database This ar...
1. View the types of fields in the table describe...
1. Install the express library and generator Open...
Preface: Lynis is a security audit and hardening ...