@lab009/splitter

1.0.0 • Public • Published

@lab009/splitter

Create Components that resolve asynchronously, with support for server side rendering and code splitting.

const AsyncProduct = createAsyncComponent({
  //               👇 Webpack 2 code splitting API
  resolve: () => import('./components/Product'))
});

<AsyncProduct productId={1} /> // 🚀

TOCs

Introduction

Instead it provides you a pure Javascript/React API which has been adapted in a manner to make it generically useful for lazy-loaded Components, with support for modern code splitting APIs (e.g import(), System.import, require.ensure).

Examples

The below examples show off a full workflow of using the createAsyncComponent and withAsyncComponents helpers.

In some of the examples below we are going to be making use of the System.import API supported by Webpack v2 which provides us with code splitting on our asynchronous components.

Browser Only Application

This is how you would use @lab009/splitter in a "browser only" React application.

Firsly you need to wrap the rendering of your application with our helper:

import React from 'react'
import { render } from 'react-dom'
import { withAsyncComponents } from '@lab009/splitter' // 👈
import MyApp from './components/MyApp'

const app = <MyApp />

// 👇 run helper on your app.
withAsyncComponents(app)
  //        👇 and you get back a result object.
  .then((result) => {
    const {
      // ❗️ The result includes a decorated version of your app
      // that will allow your application to use async components
      // in an efficient manner.
      appWithAsyncComponents
    } = result

    // Now you can render the app.
    render(appWithAsyncComponents, document.getElementById('app'))
  })

Now, let's create an async Product component that will be used within your application. I recommend that you use the following folder/file for your components:

 |- AsyncProduct
    |- index.js
    |- Product.js

The ./AsyncProduct/Product.js could have the following example contents:

import React from 'react'

export default function Product({ params }) {
  return <div>You are viewing product {params.productId}</div>;
}

The ./AsyncProduct/index.js could have then following contents:

import { createAsyncComponent } from '@lab009/splitter' // 👈

//                     👇 create an async component
const AsyncProduct = createAsyncComponent({
  resolve: () => System.import('./Product')
                 // 👆 Webpack's code splitting API
})

export default AsyncProduct

Now, you can simply import AsyncProduct anywhere in your application and not have to worry about having to call createAsyncComponent again.

For example, let's image the following implementation of your MyApp component, which uses the React Router v4 Match API.

import React from 'react'
import { Switch, Route } from 'react-router-dom'
import AsyncProduct from './AsyncProduct'

const Root = () => (
  <div className="container">
    <h1>Welcome to My App</h1>

    <Switch>
      <Route exact path="/products/:productId" component={AsyncProduct} />
    </Switch>
  </div>
);

export default Root

🚀

You have a lot more power than is shown here. Be sure to check out the API and Examples sections for more.

Server Side Rendering Application

In a "server side rendering" React application you can use the async components in the same manner as described above, but you need to make some adjustments to the way that you render the application on the server.

Let's imagine the following Express middleware (you could use any HTTP server of your choice) that renders our React application:

import React from 'react'
import { withAsyncComponents } from '@lab009/splitter' // 👈
import { renderToString } from 'react-dom/server'
import serialize from 'serialize-javascript'
import MyApp from './shared/components/MyApp'

export default function expressMiddleware(req, res, next) {
  const app = <MyApp />

  // 👇 run helper on your app.
  withAsyncComponents(app)
    //        👇 and you get back a result object.
    .then((result) => {
      const {
        // ❗️ The result includes a decorated version of your app
        // that will have the async components initialised for
        // the renderToString call.
        appWithAsyncComponents,
        // This state object represents the async components that
        // were rendered by the server. We will need to send
        // this back to the client, attaching it to the window
        // object so that the client can rehydrate the application
        // to the expected state and avoid React checksum issues.
        state,
        // This is the identifier you should use when attaching
        // the state to the "window" object.
        STATE_IDENTIFIER
      } = result

      const appString = renderToString(appWithAsyncComponents)
      const html = `
        <html>
          <head>
            <title>Example</title>
          </head>
          <body>
            <div id="app">${appString}</div>
            <script type="text/javascript">
              window.${STATE_IDENTIFIER} = ${serialize(state)}
            </script>
          </body>
        </html>`
      res.send(html)
    });
}

As stated before on the client you render your application as normal. To reiterate:

And then a module that does the browser/client side rendering:

import React from 'react'
import { render } from 'react-dom'
import { withAsyncComponents } from '@lab009/splitter' // 👈
import MyApp from './components/MyApp'

const app = <MyApp />

// 👇 run helper on your app.
withAsyncComponents(app)
  //        👇 and you get back a result object.
  .then((result) => {
    const {
      // ❗️ The result will include a version of your app that is
      // built to use async components and is automatically
      // rehydrated with the async component state returned by
      // the server.
      appWithAsyncComponents
    } = result

    // Now you can render the app.
    render(appWithAsyncComponents, document.getElementById('app'))
  })

Using Loading Components

const AsyncProduct = createAsyncComponent({
  resolve: () => new Promise(resolve =>
    resolve(require('./components/Product'))
  ),
  Loading: ({ productId }) => <div>Loading product {productId}</div>
})

<AsyncProduct productId={1} />

Webpack 1/2 require.ensure Code Splitting

const AsyncProduct = createAsyncComponent({
  resolve: () => new Promise(resolve =>
    require.ensure([], (require) => {
      resolve(require('./components/Product'));
    })
  )
})

<AsyncProduct productId={1} />

Webpack 2 import / System.import Code Splitting

Note: System.import is considered deprecated and will be replaced with import, but for now they can be used interchangeably (you may need a Babel plugin for the import syntax).

const AsyncProduct = createAsyncComponent({
  resolve: () => System.import('./components/Product')
})

<AsyncProduct productId={1} />

Defer Loading to the Client/Browser

i.e. The component won't be resolved and rendered in a server side rendering execution.

const AsyncProduct = createAsyncComponent({
  resolve: () => System.import('./components/Product'),
  defer: true
})

API

createAsyncComponent(config)

Our async Component factory. Config goes in, an async Component comes out.

Arguments

  • config (Object) : The configuration object for the async Component. It has the following properties available:
    • resolve (Function => Promise) : A function that should return a Promise that will resolve the Component you wish to be async.
    • ssrMode (Boolean, Optional, default: 'render') : Only applies for server side rendering applications. We highly recommend that you read the SSR Performance Optimisation section for more on this configuration property.
    • Loading (Component, Optional, default: null) : A Component to be displayed whilst your async Component is being resolved. It will be provided the same props that will be provided to your resovled async Component.
    • es6Aware (Boolean, Optional, default: true) : If you are using ES2015 modules with default exports (i.e export default MyComponent) then you may need your Component resolver to do syntax such as require('./MyComp').default. Forgetting the .default can cause havoc with hard to debug error messages. To cover your back we will automatically try to resolve a .default on the result that is resolved by your Component. If the .default exists it will be used, else we will use the original result.
    • name (String, Optional, default: AsyncComponent) : Use this if you would like to name the created async Component, which helps when firing up the React Dev Tools for example.

Returns

A React Component.

withAsyncComponents(element)

Decorates your application with the ability to use async Components in an efficient manner. It also manages state storing/rehydrating for server side rendering applications.

Arguments

  • app React.Element The react element representing your application.

Returns

A promise that resolves in a result object. The result object will have the following properties available:

  • appWithAsyncComponents (React.Element) : Your application imbued with the ability to use async Components. ❗️Use this when rendering your app.
  • state (Object) : Only used on the "server" side of server side rendering applications. It represents the state of your async Components (i.e. which ones were rendered) so that the server can feed this information back to the client/browser.
  • STATE_IDENTIFIER (String) : Only used on the "server" side of server side rendering applications. The identifier of the property you should bind the state object to on the window object.

Important Information for using in Server Side Rendering Applications

This library is built to be used within server side rendering (SSR) applications, however, there are some important points/tips we would like to raise with you so that you can design your application components in an efficient and effective manner.

SSR AsyncComponent Resolution Process

It is worth us highlighting exactly how we go about resolving and rendering your AsyncComponent instances on the server. This knowledge will help you become aware of potential issues with your component implementations as well as how to effectively use our provided configuration properties to create more efficient implementations.

When running @lab009/splitter on the server the helper has to walk through your react element tree (depth first i.e. top down) in order to discover all the AsyncComponent instances and resolve them in preparation for when you call the ReactDOM.renderToString. As it walks through the tree it has to call the componentWillMount method on your Components and then the render methods so that it can get back the child react elements for each Component and continue walking down the element tree. When it discovers an AsyncComponent instance it will first resolve the Component that it refers to and then it will continue walking down it's child elements (unless you set the configuration for your AsyncComponent to not allow this) in order to try and discover any nested AsyncComponent instances. It continues doing this until it exhausts your element tree.

Although this operation isn't as expensive as an actual render as we don't generate the DOM it can still be quite wasteful if you have a deep tree. Therefore we have provided a set of configuration values that allow you to massively optimise this process. See the next section below.

SSR Performance Optimisation

As discussed in the "SSR AsyncComponent Resolution Process" section above it is possible to have an inefficient implementation of your async Components. Therefore we introduced a new configuration object property for the createAsyncComponent helper, called ssrMode, which provides you with a mechanism to optimise the configuration of your async Component instances.

The ssrMode configuration property supports the following values:

  • 'render' (Default0) : In this mode a server side render will parse and resolve your AsyncComponent and then continue walking down through the child elements of your resolved AsyncComponent. This is the most expensive operation.
  • 'defer' : In this mode your AsyncComponent will not be resolved during server side rendering and will defer to the browser/client to resolve and rendering it. This is the cheapest operation as the walking process stops immediately at that branch of your React element tree.
  • 'boundary' : In this mode your AsyncComponent will be resolved and rendered on the server, however, the AsyncComponent resolution process will not try to walk down this components child elements in order to discover any nested AsyncComponent instances. If there are any nested instances their resolving and rendering will be deferred to the browser/client.

Understand your own applications needs and use the options appropriately . I personally recommend using mostly "defer" and a bit of "boundary". Try to see code splitting as allowing you to server side render an application shell to give the user perceived performance. Of course there will be requirements otherwise (SEO), but try to isolate these components and use a "boundary" as soon as you feel you can.

Warnings

I have managed to get this library working nicely with React Hot Loader (RHL), without any hacks or workarounds or having to disable the async feature. This is great as you get a closer to production representation when doing development which can be helpful for testing things like "Loading" components. Everything works fine as long as you follow my recommended pattern. I think that if you veer away from this pattern and do some very complex constructions using createAsyncComponent there could be cases where React Hot Loader fails to patch any updates to your component. I just wanted to highlight this in case you started experiencing this.

FAQs

Let me know if you have any...

Package Sidebar

Install

npm i @lab009/splitter

Weekly Downloads

0

Version

1.0.0

License

MIT

Last publish

Collaborators

  • lab009