2.0.3 • Published 4 months ago

@zippybee/prerender v2.0.3

Weekly downloads
-
License
ISC
Repository
github
Last release
4 months ago

test npm downloads js-standard-style license


Monorepo for the following NPM packages

  • npm version

About prerenderer

The goal of this package is to provide a simple, framework-agnostic prerendering solution that is easily extensible and usable for any site or single-page-app.

Now, if you're not familiar with the concept of prerendering, you might predictably ask...

What is Prerendering?

Recently, SSR (Server Side Rendering) has taken the JavaScript front-end world by storm. The fact that you can now render your sites and apps on the server before sending them to your clients is an absolutely revolutionary idea (and totally not what everyone was doing before JS client-side apps got popular in the first place...)

However, the same criticisms that were valid for PHP, ASP, JSP, (and such) sites are valid for server-side rendering today. It's slow, breaks fairly easily, and is difficult to implement properly.

Thing is, despite what everyone might be telling you, you probably don't need SSR. You can get almost all the advantages of it (without the disadvantages) by using prerendering. Prerendering is basically firing up a headless browser, loading your app's routes, and saving the results to a static HTML file. You can then serve it with whatever static-file-serving solution you were using previously. It just works with HTML5 navigation and the likes. No need to change your code or add server-side rendering workarounds.

In the interest of transparency, there are some use-cases where prerendering might not be a great idea.

  • Tons of routes - If your site has hundreds or thousands of routes, prerendering will be really slow. Sure you only have to do it once per update, but it could take ages. Most people don't end up with thousands of static routes, but just in-case...
  • Dynamic Content - If your render routes that have content that's specific to the user viewing it or other dynamic sources, you should make sure you have placeholder components that can display until the dynamic content loads on the client-side. Otherwise, it might be a tad weird.

Example prerenderer Usage

(It's much simpler if you use prerenderer with webpack or another build system.)

Input

app/
├── index.html
└── index.js // Whatever JS controls the SPA, loaded by index.html

Output

app/
├── about
│   └── index.html // Static rendered /about route.
├── index.html // Static rendered / route.
├── index.js // Whatever JS controls the SPA, loaded by index.html
└── some
    └── deep
        └── nested
            └── route
                └── index.html // Static rendered nested route.
const fs = require('fs');
const path = require('path');
const mkdirp = require('mkdirp');
const Prerenderer = require('@zippybee/prerender');

const prerenderer = new Prerenderer({
  // Required - The path to the app to prerender. Should have an index.html and any other needed assets.
  staticDir: path.join(__dirname, 'app'),
  // The plugin that actually renders the page.
  postProcess(renderedRoute) {
    // Replace all http with https urls and localhost to your site url
    renderedRoute.html = renderedRoute.html
      .replace(/http:/i, 'https:')
      .replace(/(https:\/\/)?(localhost|127\.0\.0\.1):\d*/i, process.env.CI_ENVIRONMENT_URL || '');
  },
});

// Initialize is separate from the constructor for flexibility of integration with build systems.
prerenderer
  .initialize()
  .then(() => {
    // List of routes to render.
    return prerenderer.renderRoutes(['/', '/about', '/some/deep/nested/route']);
  })
  .then((renderedRoutes) => {
    // renderedRoutes is an array of objects in the format:
    // {
    //   route: String (The route rendered)
    //   html: String (The resulting HTML)
    // }
    renderedRoutes.forEach((renderedRoute) => {
      try {
        // A smarter implementation would be required, but this does okay for an example.
        // Don't copy this directly!!!
        const outputDir = path.join(__dirname, 'app', renderedRoute.route);
        const outputFile = `${outputDir}/index.html`;

        mkdirp.sync(outputDir);
        fs.writeFileSync(outputFile, renderedRoute.html.trim());
      } catch (e) {
        // Handle errors.
      }
    });

    // Shut down the file server and renderer.
    return prerenderer.destroy();
  })
  .catch((err) => {
    // Shut down the server and renderer.
    return prerenderer.destroy();
    // Handle errors.
  });

Which renderer should I use?

Documentation

All of the packages are strongly typed using typescript, if some documentation is missing or when in doubt, we recommend referring to the types which are self documenting

Prerenderer Options

OptionTypeRequired?DefaultDescription
staticDirStringYesNoneThe root path to serve your app from. (If you are using a plugin, you don't need to set this, it will be taken from the configuration of webpack or rollup)
indexPathStringNostaticDir/index.htmlThe index file to fall back on for SPAs.
serverObjectNoNoneApp server configuration options (See below)
rendererOptionsObjectNoNoneThe options to pass to the renderer if it was not given as an instance, see below for a list of options
postProcess(renderedRoute: Route, routes: Route[]) => voidNoNoneAllows you to customize the HTML and output path before writing the rendered contents to a file, you can also add your own routes by pushing to the routes parameter

Server Options

OptionTypeRequired?DefaultDescription
portIntegerNoFirst free port after 8000The port for the app server to run on.
proxyObjectNoNo proxyingProxy configuration. Has the same signature as webpack-dev-server
hostStringNo127.0.0.1The host to send requests to. Use with caution, as changing this could result in external urls being rendered instead of your local server, use postProcess if you just want to change urls in the resulting .html
listenHostStringNo127.0.0.1The ip address the server will listen to. (0.0.0.0 would allow external access, use with caution)
beforeFunctionNoNo operationDeprecated: Use hookServer() instead. Function for adding custom server middleware.

Prerenderer Methods

  • constructor(options: Object) - Creates a Prerenderer instance and sets up the renderer and server objects.
  • hookServer(cb: (server: Express) => void, stage: Stage = 'pre-fallback') - Use this method to hook into the express server to add middlewares, routes etc
  • initialize(): Promise<void> - Starts the static file server and renderer instance (where appropriate).
  • getOptions(): PrerenderFinalOptions - Returns the options used to configure prerenderer
  • getServer(): Server - Returns the Server class holding the express server
  • destroy(): Promise<void> - Destroys the static file server and renderer, freeing the resources.
  • renderRoutes(routes: Array<String>): Promise<Array<RenderedRoute>> - Renders set of routes. Returns a promise resolving to an array of rendered routes in the form of:
[
  {
    originalRoute: '/route/path', // The requested route path.
    route: '/route/redirected-path', // The final route path after redirection or history change.
    html: '<!DOCTYPE html><html>...</html>', // The prerendered HTML for the route
  },
  // ...
];

renderOptions Options

None of the options are required, by default the page will render when puppeteer is ready which is when DOMContentLoaded fires

OptionTypeDefaultDescription
maxConcurrentRoutesNumber0 (No limit)The number of routes allowed to be rendered at the same time. Useful for breaking down massive batches of routes into smaller chunks.
injectObjectNoneAn object to inject into the global scope of the rendered page before it finishes loading. Must be JSON.stringifiy-able. The property injected to is window['__PRERENDER_INJECTED'] by default.
injectPropertyString__PRERENDER_INJECTEDThe property to mount inject to during rendering. Does nothing if inject isn't set.
renderAfterDocumentEventStringDOMContentLoadedWait to render until the specified event is fired on the document. (You can fire an event like so: document.dispatchEvent(new Event('custom-render-trigger'))
renderAfterTimeInteger (Milliseconds)NoneWait to render until a certain amount of time has passed.
renderAfterElementExistsString (Selector)NoneWait to render until the specified element is detected using document.querySelector
elementVisibleBooleanNoneIf we should wait until the renderAfterElementExists is visible
elementHiddenBooleanNoneIf we should wait until the renderAfterElementExists is hidden
timeoutInteger (Milliseconds)30000If this timeout triggers while waiting for an event or an element, the rendering will abort with an error.
skipThirdPartyRequestsBooleanfalseAutomatically block any third-party requests. (This can make your pages load faster by not loading non-essential scripts, styles, or fonts.)
headlessBooleantrueWhether to run the browser in headless mode
consoleHandlerfunction(route: String, message: ConsoleMessage)NoneAllows you to provide a custom console.* handler for pages. Argument one to your function is the route being rendered, argument two is the Puppeteer ConsoleMessage object.
viewportViewportNoneThose options will be passed to puppeteer.launch().
launchOptionsLaunchOptionsNoneThose options will be passed to puppeteer.launch().
navigationOptionsWaitForOptionsNoneThose options will be passed to page.goto(), such as timeout: 30000ms.

Caveats

  • For obvious reasons, prerenderer only works for SPAs that route using the HTML5 history API. index.html#/hash/route URLs will unfortunately not work.
  • Whatever client-side rendering library you're using should be able to at least replace any server-rendered content or diff with it.
    • For Vue.js 1 use replace: false on root components.
    • For Vue.js 2 and 3 Ensure your root component has the same id as the prerendered element it's replacing. Otherwise you'll end up with duplicated content.