Inlining store data in Ember.js

12 June 2018

Thanks to Dave Laird and Kris Khaira for reviewing this post.

In an app I'm working on, we always load some data from the back-end that very rarely changes. Since the data is needed on almost all pages, this is done in the application route:

 1// app/routes/application.js
 2export default Route.extend({
 3  beforeModel() {
 4    return RSVP.hash({
 5      currencies: this.store.findAll('currency'),
 6      destinations: this.store.findAll('destination'),
 7    });
 8  }
 9})

In this case, the long-lived data are currencies and destinations but I suspect lots of other apps have data of this type: categories for an e-commerce app, priorities and labels for an issue tracker and instruments for a music catalog app are all such examples.

So every time our Ember app booted, two ajax requests were sent to the backend which also blocked rendering as that data was crucial for lots of components of the page.

The fact that the data was quasi-static gave me an idea: what if we could just inline it into the index.html and load it into the store from there?

Turns out the idea was legit and feasible. In the following post I want to describe how this can be achieved.

Fetching data during build

The first step is to write a script that fetches the data from the back-end and stores it in a file where the build process can pick it up.

The easiest thing is to write a node.js script that can be called from your Ember.js project that is used to build the Ember.js app.

To fetch data from the back-end in node, I used a simple http library, axios (but there is a great deal of alternatives to choose from):

1$ yarn add --dev axios
 1// support/scripts/fetch-data-for-inlining.js
 2/* eslint-env node */
 3'use strict';
 4
 5const axios = require('axios');
 6const fs = require('fs');
 7
 8function fetchDestinations() {
 9  return axios.all([
10    axios.get('https://your-api.com/destinations'),
11    axios.get('https://your-api.com/currencies'),
12  ])
13}
14
15fetchDestinations()
16  .then(axios.spread((destinations, currencies) => {
17    let mergedData = Object.assign(destinations.data, currencies.data);
18    fs.writeFileSync('support/data/store-data.json', JSON.stringify(mergedData), 'utf-8');
19  }));

After fetching the pieces of data, we merge them and store the resulting serialized format in a file.

Next, we can read from there and inline it into the "skeleton" of our web app, its index.html.

Inlining serialized data into a meta tag

Ember apps have the contents of their configuration (config/environment.js) serialized in a meta tag so I peeked under the hood of Ember CLI to find out how that's done as I wanted to do likewise for store data. Dave coined the term "index stuffing" for this technique and I think it's a great expression.

I've found that it uses an add-on called ember-cli-inline-content so I added it to the project:

1$ yarn add --dev ember-cli-inline-content

Modifying the build pipeline usually happens in ember-cli-build.js so that's where I added the code that populates the meta tag with the desired store data:

 1// ember-cli-build.js
 2'use strict';
 3
 4const EmberApp = require('ember-cli/lib/broccoli/ember-app');
 5const fs = require('fs');
 6
 7function readFile(file) {
 8  try {
 9    return escape(fs.readFileSync(file));
10  } catch(e) {
11    if (e.code === 'ENOENT') {
12      return '{}';
13    }
14    throw(e);
15  }
16}
17
18module.exports = function(defaults) {
19  let app = new EmberApp(defaults, {
20    inlineContent: {
21      'store-data': {
22        content: `<meta name='store-data'
23          content="${readFile('support/data/store-data.json')}" />`,
24      }
25    },
26    (...)
27  });
28}

We read the contents of the file previously written by the script and add it as the content of the store-data meta tag. As this is an optimization and we want to provide a fallback, it's important to handle the case when the file is not there. In that case, we just write an empty object so the code loading the serialized records into the store can be kept simple and assume the tag has valid JSON data.

The inlineContent snippet defines a slot called store-data so that still has to be written in the index.html for this to work. The magic word to define these slots is content-for:

 1// app/index.html
 2<!DOCTYPE html>
 3<html>
 4  <head>
 5    (...)
 6    {{content-for 'store-data'}}
 7  </head>
 8  (...)
 9</html>

Serialized destinations stored in store-data tag

Done, our index is now "stuffed", we can now move on to loading the serialized data.

Loading the data into the store

All right, so we have the JSON stringified data in the meta tag. We should now load it into the store so that when the app boots up, it's already there and we don't need to query the back-end. A good place to do this is an instance initializer:

 1// app/instance-iniitalizers/load-store-data.js
 2export function initialize(appInstance) {
 3  let metaTag = document.querySelector('meta[name=store-data]');
 4  if (metaTag) {
 5    let store = appInstance.lookup('service:store');
 6    let storeContent = JSON.parse(unescape(metaTag.content));
 7    store.pushPayload(storeContent);
 8  }
 9}
10
11export default {
12  initialize
13};

Honestly, I was a bit surprised that simply using store.pushPayload works but it does.

Falling back to querying the backend when pre-loaded data is missing

My first thought after I had that working was to just get rid of the ajax calls in beforeModel but that would've been rushed. As we'd already said, we want to fall back to querying the data from the back-end "live", if we find that we need it. The testing environment is a great example where we probably don't want this pre-loading behavior (in our app, we use a mock API, using Mirage fixtures) but there can be other reasons for the data not to be there.

So we need to check if we have data for each type and then still consult the API if we don't:

 1// app/routes/application.js
 2export default Route.extend({
 3  beforeModel() {
 4    let preload = {};
 5    let currencies = this.store.peekAll('currency');
 6    if (currencies.get('length') === 0) {
 7      preload.currencies = this.store.findAll('currency');
 8    }
 9    let destinations = this.store.peekAll('destination');
10    if (destinations.get('length') === 0) {
11      preload.destinations = this.store.findAll('destination');
12    }
13    return RSVP.hash(preload);
14  },
15});

store.peekAll is a great method and comes handy here. It checks the contents of the store for the given type and doesn't ever trigger a request to the backend. So we assume that if there's at least one record for each type in the store, it means that we had pre-loaded data and thus don't fire an API request.

As you can see from the following Network tab screenshot, the ajax request to fetch destinations is no longer fired:

No /api/destinations request

And that's because the store already has them:

Store has the destination records

Making it part of the build process

To make use of this in production, where improving performance (and reducing the number of API requests) pays the most dividends, the process has to be integrated into the production build.

Let's first define our data fetching script in package.json:

 1// package.json
 2{
 3  (...)
 4  "scripts": {
 5    "start": "ember serve",
 6    "test": "ember exam",
 7    "build": "ember build",
 8    "fetch-store-data": "node support/scripts/fetch-data-for-inlining.js"
 9  },
10  (...)
11}

Having done that, calling the script during the build is a simple matter of running yarn fetch-store-data (or npm run fetch-store-data) which should be easy whichever CI/build platform you use.

The other pieces are encapsulated in the app: ember-cli-build.js will pick it up during ember build -e production and write the meta tag, the initializer reads from the meta tag and loads the data into the store. The app is then happy not having to make a costly request to the back-end for data that almost never changes. Or does it?

Caching considerations

Writing the serialized response for API requests into the index.html is equivalent to caching the response of those API requests so we have to ask ourselves the question: when do we have to invalidate the cache and how can we do it?

Assuming the index.html is not allowed to be cached, users get a fresh copy of the data when a new index.html is built – every time we make and deploy a build to production (users will then still have to reload the app to get the new index.html).

That might be fine in certain cases (as it was for us with destinations), but in others, more up-to-date data might be needed. As it turned out, we update currency exchange rates daily on the backend, so we ended up not inlining currencies and querying them from the API on the fly.

Since the implementation was flexible enough, this was just a matter of not fetching currencies in the fetch-data-for-inlining.js script, a simple, quick change.

A hybrid solution is also possible – inline store data initially but update it in the background or when it's needed. Currencies could be fetched from the backend when the user opens the shopping cart, instruments can be re-loaded when a dropdown on the artist form is activated.

I plan to write more about this hybrid approach in a sequel to this post.

Oh, and Vidi, the company I wrote this for, are hiring!

Share on Twitter