Page Building

This section details the entire process of page building, from routing to views to the builder object to the defer block. It is MVC-esque and is the meat of the Marketplace Framework.

Routing

All pages should have a route that which is used to resolve the appropriate view. To make a page accessible, you must create a route in the project’s src/media/js/routes.js. A route is represented by an object in the list of routes. The routes.js file may look like:

function() {
    // The list of routes.
    var routes = window.routes = [
        {'pattern': '^$', 'view_name': 'homepage'},
        {'pattern': '^/app/([^/<>"\']+)/?$', 'view_name': 'app'},
    ];

    define('routes', [
        'views/app',
        'views/homepage'
    ], function() {
        for (var i = 0; i < routes.length; i++) {
            var route = routes[i];
            var view = require('views/' + route.view_name);
            route.view = view;
        }
        return routes;
    });
}();

Each route object should match the following prototype:

{
    'pattern': '<regexp>',  // Regular expression to match current path.
    'view_name': '<view name>'  // Name of view module w/o 'views/' prefix.
}

In the define call, the list of routes is looped over and the respective view modules are attached to the route objects. Note that the define call must list every view’s module name as a dependency as seen above.

When navigating or loading a page, marketplace-core-modules/views.js will loop over all the routes in sequence and try to match it with the current path. If no match is found, it will just redirect the browser to the navigating URL. When a pattern is matched, the view (which returns a builder object as we will see later) will be invoked to build the page.

Regular Expressions

There are some quirks with regular expressions in routes:

  • non-matching groups may not be used - cannot use a group simply to tell the parser that something is optional. Groups are only for parameters during matching the current path and reverse URL resolving.
  • ? may not be used to perform greedy matching - the optional operator can only be performed on static, non-repeating components.
  • multiple optional groups are not allowed - optional groups are not evaluated greedily. Use multiple routes instead.

Building Views

Each view is represented by its own module in the src/media/js/views directory. Here’s an example view:

define('views/myview', ['l10n', 'z'], function(l10n, z) {
    // -- MODULE LEVEL --.
    var gettext = l10n.gettext;

    z.page.on('click', 'button', function() {
        console.log('Put your delegated event handlers on this level.');
    });

    return function(builder) {
        // -- BUILDER LEVEL --.
        builder.z('title', gettext('My View Page Title'));
        builder.z('type', 'leaf');

        builder.start('some_template.html', {
            someContextVar: true
        });
    };
});

At the the module level, the view usually consists of mostly delegated event handlers. At the Builder level, inside the function returned by the view, consists of code that handles the actual page rendering using the injected Builder object.

Guidelines

Here are some important guidelines around building views:

  • You should not perform any delegated event bindings on elements that are not a part of the page (e.g., z.page.on('click', '.element-from-another-page'...)).
  • And all delegated event bindings on non-page elements should be bound at the module level. This prevents listener leaks.
  • Expensive lookups, queries, and data structures should be done outside the Builder level. This ensures that any value is computed only once.
  • Delegated events should be used whenever possible, and state should be preserved on affected elements (e.g., via data attributes) rather than within variables.
  • State variables should never exist at the module level unless it represents a persistent state.

The Builder Object

A Builder object is injected into the function returned by the view when. marketplace-core-modules/views.js matches the respective route and invokes the view. The Builder object is defined in marketplace-core-modules/builder.js. It is the pure meat behind page rendering, handling Nunjucks template rendering, defer block injections, pagination, requests, callbacks, and more.

And to note the Builder object itself is a promise object (jQuery Deferred-style). It has accepts .done() and .fail() handlers. These represent the completion of the page as a whole (including asynchronous API requests via defer blocks). However, the promise methods should not be used to set event handlers or modify page content. The builder.onload callback should be used instead which happens when each defer block returns, which makes the view more reactive and non-blocking. This will be described more below.

In the barebones example above, we set some context variables with z. Then we calls builder.start to start the build process, passing in the template to render and a context to render it with. After some magic, the page will render.

For more details and functionality, below describes the Builder object’s API:

builder.start(template[, context])

Starts the build process by rendering a base template to the page.

Parameters:
  • template – path to the template
  • context – object which provides extra context variables to the template
Return type:

the Builder object

builder.z(key, value)

Sets app context values. Any values are accepted and are stored in require(‘z’).context. However, certain keys have special behaviors. ‘title’ sets the window’s page title. ‘type’ sets the body’s data-page-type data attribute.

Parameters:
  • key – name of the context value (e.g., ‘title’, ‘type’)
  • value – the context value
Return type:

the Builder object

builder.onload(defer_block_id, handler_function)

Registers a callback for a defer block matching the defer_block_id. Depending on whether the defer block’s URL or data was request-cached or model-cached, it may fire synchronously.

Given an example defer block {% defer (url=api('foo'), id='some-id') %}, we can register a handler for when data is finished fetching from the ‘foo’ endpoint like builder.onload('some-id', function(endpoint_data) {...

Parameters:
  • defer_block_id – ID of the defer block to register the handler to
  • handler_function – the handler, which is given the resulting data from the defer block’s API endpoint
Return type:

the Builder object

builder.terminate()

While the Builder object is often not accessible, if a reference to it is available and the current viewport is changing pages, calling builder.abort will terminate all outstanding HTTP requests and begin cleanup. This should never be called from a builder.onload handler.

Return type:the Builder object
builder.results

An object containing results from API responses triggered in defer blocks. The results will be keyed by the ID of the defer blocks.

Defer Blocks

In the Marketplace Framework section about Fetching and Rendering Data from RESTful APIs, we introduced defer blocks as a page rendering component, invoked from the templates, that asynchronously fetches data from APIs and renders a template fragment once finished. We heavily recommend reading that section if you have not already. As we described the Builder as the meat of the framework, defer blocks are the magic.

{% defer (api_url[, id[, pluck[, as[, key[, paginate[, nocache]]]]]]) %}

Fetches data from api_url, renders the template in the body, and injects it into the page.

Parameters:
  • api_url – the API endpoint URL. Use the api helper and an API route name to reverse-resolve a URL. The response will be made available as variables this and response
  • id – ID of the defer block, used to store API results and fire callbacks on the Builder object (Builder.onload)
  • pluck – extracts a value from the returned response and reassigns the value to this. Often used to facilitate model caching. The original value of this is preserved in the variable response.
  • as – determines which model to cache this into
  • key – determines which field of this to use as key to store the object in the model. Used in conjunction with as
  • paginate – selector for the wrapper of paginatable content to enable continuous pagination
  • nocache – will not request-cache the response if enabled

A basic defer block looks like:

{% defer (url=api('foo')) %}
  <h1 class="app-name">{{ this.name }}</h1>
{% placeholder %}
  <div class="spinner"></div>
{% end %}

In this example, the defer block asynchronously loads the content at api(‘foo’). While waiting for the response, we can show something in the meantime with the placeholder. Once it has loaded, the content within the defer block is injected into the page’s template by replacing the placeholder. this will then contain the API response returned form the server.

The entire response, unless otherwise specified with nocache, will automatically be stored in the request cache. The request cache is an object with API endpoints as the key and the responses as the value. Note that if two defer blocks use the same API endpoint, the request will only be made once in the background.

{% placeholder %}

Defer blocks are designed with the idea that the base template is rendered immediately and content asynchronously loads in over time. This means that some placeholder content or loading text is often necessary. The placeholder extension to the defer block facilitates this:

{% defer (url=api('foo')) %}
  I just loaded {{ this.name }} from the `foo` endpoint.
{% placeholder %}
  This is what you see while the API is working away.
{% end %}

Note that placeholder blocks have access to the full context of the page.

{% except %}

If the request to the server leads to a non-200 response after redirects, an {% except %} extension block, if specified, will be rendered instead:

{% defer (url=api('foo')) %}
  I just loaded {{ this.name }}.
{% except %}
  {% if error == 404 %}
    Not found
  {% elif error == 403 %}
    Not allowed
  {% else %}
    Error
  {% endif %}
{% end %}

The variable error is defined in the context of the except block. error contains the erroring numeric HTTP response code, or a falsey value if there was a non-HTTP error. A default except template can be rendered if specified, which can be set in settings.fragment_error_template.

{% empty %}

If the value of this (i.e., the plucked value) is an empty list, an alternative {% empty %} extension is rendered. This is useful for lists where the amount of content is unknown in advance:

{% defer (url=api('foo')) %}
  <ul>
    {% for result in this %}
      <li>I just loaded {{ result.slug }}.</li>
    {% endfor %}
  </ul>
{% empty %}
  <div class="empty">
    Nothing was loaded.
  </div>
{% end %}

If {% empty %} is not defined, the defer block will run with the empty list with the current this variable.

Model Caching

In Model Caching, we briefly introduced model caching through defer blocks. Again, it allows us to cache API responses at an object level (e.g., an app from a list of apps) such that they can be retrieved individually (e.g., looked up at the app detail page). Here is an example:

{% defer (url='https://marketplace.firefox.com/api/v2/feed/collection/list-of-apps',
          pluck='apps', as='app', key='slug')
  ...
{% end %}

The defer block will make a request the endpoint. Consider the API response returns:

{
    'name': 'List of Apps',
    'slug': 'list-of-apps',
    'apps': {
        'facebook': {
            'author': 'Facebook',
            'name': 'Facebook',
            'slug': 'facebook',
        },
        'twitter': {
            'author': 'Twitter',
            'name': 'Twitter',
            'slug': 'twitter',
        },
    }
}

Let’s go over it attribute by attribute:

  • pluck='apps'

    tells the defer block to pluck the key apps will reassign the value of this in the defer block, which would normally contain the whole response, to the value of apps in the response. This will help isolate what we wish to model cache

  • as='app'

    store it in the app model cache. Setting up a model cache will be described in the Caching section

  • key='slug'

    use the app’s slug field as a key to store in the model cache. Default keys can be configured in the settings which will be described in the Caching section

Once the response comes in, the apps will then automatically be model-cached. The apps model cache may then look like:

{
    'facebook': {
        'author': 'Facebook',
        'name': 'Facebook',
    },
    'twitter': {
        'author': 'Twitter',
        'name': 'Twitter',
    }
}