DEV Community

Pascal Schilp
Pascal Schilp

Posted on • Updated on

Service Worker Templating Language (SWTL)

Check out the starter project here.

I've previously written about Service Worker Side Rendering (SWSR) in this blog, when I was exploring running Astro in a Service Worker.

I recently had a usecase for a small app at work and I just kind of defaulted to a SPA. At some point I realized I needed a Service Worker for my app, and I figured, why not have the entire app rendered by the Service Worker? All I need to do was fetch some data, some light interactivity that I don't need a library or framework for, and stitch some html partials together based on that data. If I did that in a Service Worker, I could stream in the html as well.

While I was able to achieve this fairly easily, the developer experience of manually stitching strings together wasnt great. Being myself a fan of buildless libraries, such as htm and lit-html, I figured I'd try to take a stab at implementing a DSL for component-like templating in Service Workers myself, called Service Worker Templating Language (SWTL), here's what it looks like:

import { html, Router } from 'swtl';
import { BreadCrumbs } from './BreadCrumbs.js'

function HtmlPage({children, title}) {
  return html`<html><head><title>${title}</title></head><body>${children}</body></html>`;
}

function Footer() {
  return html`<footer>Copyright</footer>`;
}

const router = new Router({
  routes: [
    {
      path: '/',
      render: ({params, query, request}) => html`
        <${HtmlPage} title="Home">
          <h1>Home</h1>
          <nav>
            <${BreadCrumbs} path=${request.url.pathname}/>
          </nav>
          ${fetch('./some-partial.html')}
          ${caches.match('./another-partial.html')}
          <ul>
            ${['foo', 'bar', 'baz'].map(i => html`<li>${i}</li>`)}
          </ul>
          <${Footer}/>
        <//>
      `
    },
  ]
});

self.addEventListener('fetch', (event) => {
  if (event.request.mode === 'navigate') {
    event.respondWith(router.handleRequest(event.request));
  }
});
Enter fullscreen mode Exit fullscreen mode

html

To create this DSL, I'm using Tagged Template Literals. For those of you who are not familiar with them, here's what they look like:

function html(statics, ...dynamics) {
  console.log(statics);
  console.log(dynamics);
}

html`hello ${1} world`;

// ["hello ", " world"];
// [1]
Enter fullscreen mode Exit fullscreen mode

A Tagged Template Literal gets passed an array of static values (string), and an array of dynamic values (expressions). Based on those strings and expressions, I can parse the result and add support for reusable components.

I figured that since I'm doing this in a Service Worker, I'm only creating html responses and not doing any kind of diffing, I should be able to just return a stitched-together array of values, and components. Based on preact/htm's component syntax, I built something like this:

function Foo() {
  return html`<h2>foo</h2>`;
}

const world = 'world';

const template = html`<h1>Hello ${world}</h1><${Foo}/>`;

// ['<h1>Hello ', 'world', '</h1>', { fn: Foo, children: [], properties: []}]
Enter fullscreen mode Exit fullscreen mode

I can then create a render function to serialize the results and stream the html to the browser:

/**
 * `render` is also a generator function that takes care of stringifying values
 * and actually calling the component functions so their html gets rendered too
 */
const iterator = render(html`hello ${1} world`);
const encoder = new TextEncoder();

const stream = new ReadableStream({
  async pull(controller) {
    const { value, done } = await iterator.next();
    if (done) {
      controller.close();
    } else {
      controller.enqueue(encoder.encode(value));
    }
  }
});

/**
 * Will stream the response to the browser as results are coming
 * in from our iterable
 */
new Response(stream);
Enter fullscreen mode Exit fullscreen mode

However, I then realized that since I'm streaming the html anyways, instead of waiting for a template to be parsed entirely and return an array, why not stream the templates as they are being parsed? Consider the following example:

function* html(statics, ...dynamics) {
  for(let i = 0; i < statics.length; i++) {
    yield statics[i];
    if (dynamics[i]) {
      yield dynamics[i];
    }
  }
}
Enter fullscreen mode Exit fullscreen mode

Using a generator function, we can yield results as we encounter them, and stream those results to the browser immediately. We can then iterate over the template results:

const template = html`hello ${1} world`;

for (const chunk of template) {
  console.log(chunk);
}

// "hello "
// 1
// " world"
Enter fullscreen mode Exit fullscreen mode

What makes this even cooler is that we can provide first class support for other streamable things, like iterables:

function* generator() {
  yield* html`<li>1</li>`;
  yield* html`<li>2</li>`;
}

html`<ul>${generator()}</ul>`;
Enter fullscreen mode Exit fullscreen mode

Or other streams, or Responses:

html`
  ${fetch('./some-html.html')}
  ${caches.match('./some-html.html')}
`;
Enter fullscreen mode Exit fullscreen mode

Why not do this at build time?

The following template:

const template = html`<h1>hi</h1><${Foo} prop=${1}>bar<//>`
Enter fullscreen mode Exit fullscreen mode

Would compile to something like:

const template = ['<h1>hi</h1>', {fn: Foo, properties: [{name: 'prop', value: 1}], children: ['bar']}];
Enter fullscreen mode Exit fullscreen mode

While admittedly that would save a little runtime overhead, it would increase the bundlesize of the service worker itself. Considering the fact that templates are streamed while they are being parsed, I'm not convinced pre-compiling templates would actually result in a noticeable difference.

Also I'm a big fan of buildless development, and libraries like lit-html and preact/htm, and the bundlesize for the html function itself is small enough:

Minified code for the html function

Isomorphic rendering

While I'm using this library in a Service Worker only, similar to a SPA approach, you can also use this library for isomorphic rendering in worker-like environments, or even just on any node-like JS runtime, and the browser! The following code will work in any kind of environment:

function Foo() {
  return html`<h1>hi</h1>`;
}

const template = html`<main><${Foo}/></main>`;

const result = await renderToString(template);
// <main><h1>hi</h1></main>
Enter fullscreen mode Exit fullscreen mode

Hurray for agnostic libraries!

Router

I also implemented a simple router based on URLPattern so you can easily configure your apps routes:

import { Router, html } from 'swtl';

const router = new Router({
  routes: [
    {
      path: '/',
      render: () => html`<${HtmlPage}><h1>Home</h1><//>`
    },
    {
      path: '/users/:id',
      render: ({params}) => html`<${HtmlPage}><h1>User: ${params.id}</h1><//>`
    },
    {
      path: '/foo',
      render: ({params, query, request}) => html`<${HtmlPage}><h1>${request.url.pathname}</h1><//>`
    },
  ]
});

self.addEventListener('fetch', (event) => {
  if (event.request.mode === 'navigate') {
    event.respondWith(router.handleRequest(event.request));
  }
});
Enter fullscreen mode Exit fullscreen mode

Out of order streaming

I also wanted to try and take a stab at out of order streaming, for cases where you may need to fetch some data. While you could do something like this:

async function SomeComponent() {
  try {
    const data = await fetch('/api/foo').then(r => r.json());
    return html`
      <ul>
        ${data.map(user => html`
          <li>${user.name}</li>
        `)}
      </ul>
    `;
  } catch {
    return html`Failed to fetch data.`;
  }
}
Enter fullscreen mode Exit fullscreen mode

This would make the api call blocking and stop streaming html until the api call resolves, and we can't really show a loading state. Instead, we ship a special <${Await}/> component that takes an asynchronous promise function to enable out of order streaming.

import { Await, when, html } from 'swtl';

html`
  <${Await} promise=${() => fetch('/api/foo').then(r => r.json())}>
    ${({pending, error, success}, data, error) => html`
      <h2>Fetching data</h2>
      ${when(pending, () => html`<${Spinner}/>`)}
      ${when(error, () => html`Failed to fetch data.`)}
      ${when(success, () => html`
        <ul>
          ${data.map(user => html`
            <li>${user.name}</li>
          `)}
        </ul>
      `)}
    `}
  <//>
`;
Enter fullscreen mode Exit fullscreen mode

When an Await component is encountered, it kicks off the promise that is provided to it, and immediately stream/render the pending state, and continues streaming the rest of the document. When the rest of the document is has finished streaming to the browser, we await all the promises in order of resolution (the promise that resolves first gets handled first), and replace the pending result with either the error or success template, based on the result of the promise.

So considering the following code:

html`
  <${HtmlPage}>
    <h1>home</h1>
    <ul>
      <li>
        <${Await} promise=${() => new Promise(r => setTimeout(() => r({foo:'foo'}), 3000))}>
          ${({pending, error, success}, data) => html`
            ${when(pending, () => html`[PENDING] slow`)}
            ${when(error, () => html`[ERROR] slow`)}
            ${when(success, () => html`[RESOLVED] slow`)}
          `}
        <//>
      </li>
      <li>
        <${Await} promise=${() => new Promise(r => setTimeout(() => r({bar:'bar'}), 1500))}>
          ${({pending, error, success}, data) => html`
            ${when(pending, () => html`[PENDING] fast`)}
            ${when(error, () => html`[ERROR] fast`)}
            ${when(success, () => html`[RESOLVED] fast`)}
          `}
        <//>
      </li>
    </ul>
    <h2>footer</h2>
  <//>
`;
Enter fullscreen mode Exit fullscreen mode

This is the result:

loading states are rendered first, while continuing streaming the rest of the document. Once the promises resolve, the content is updated in-place with the success state

We can see that the entire document is streamed, initially displaying loading states. Then, once the promises resolve, the content is updated in-place to display the success state.

Wrapping up

I've created an initial version of swtl to NPM, and so far it seems to hold up pretty well for my app, but please let me know if you run into any bugs or issues! Lets make it better together 🙂

You can also check out the starter project here.

Acknowledgements

And it's also good to mention that, while working/tweeting about some of the work in progress updates of this project, it seems like many other people had similar ideas and even similar implementations as well! It's always cool to see different people converging on the same idea 🙂

Top comments (6)

Collapse
 
userquin profile image
userquin

awesome

Collapse
 
jcubic profile image
Info Comment hidden by post author - thread only accessible via permalink
Jakub T. Jankiewicz • Edited

What I see are two complelely different libraries bunlded into one for no reason. You have HTML rendering using template literals and Router for Service Worker, you can extract the Router into one library and rendering into other that don't need to know anything about service worker. It just generates string. What you will see is that you only need Routing library and you can use existing templates language like htm.

Collapse
 
thepassle profile image
Pascal Schilp

Dont be like this guy

Collapse
 
jcubic profile image
Jakub T. Jankiewicz

What you mean?

Collapse
 
nazareth profile image
َ

You're a "Senior React Dev"?

Collapse
 
jcubic profile image
Jakub T. Jankiewicz

Sorry I don't understand what this have to do with my comment.

Some comments have been hidden by the post's author - find out more