Native applications have the ability to start up fast and reliably. They can work offline, have push notifications, synchronisation and access to sensors and phone functionalities like the camera. On the other hand, the Web is safer and more respectful of privacy, but doesn't have those native features. The average user installs zero apps per month, yet mobile users visit around 100 sites per month.
Progressive Web Apps (PWA) have the best of both worlds
Pros of PWA:
- fast: better performance, loads faster because it loads from cache, faster iterations and deploys
- reliable: works offline by pulling pages and assets from cache
- engaging: you get push notifications even when app is not open, and you don't have to download it or install updates
- it has it's own home icon, specified in it's manifest file. You can tap the icon to open in full screen, and show no browser UI (or show it if you want)
- it's linkable, shareable, discoverable, search-engine-indexable, etc.
Cons of PWA:
- cache invalidation is difficult
- is a complex technology
To move your website to a progressive web app you need, in order of appearance:
- HTTPS, (because you'll need a service worker and they are HTTPS only)
- caching, so that it works offline (the service worker takes care of this)
- app shell architecture
- a manifest file, so that you can add an icon to the homescreen
- push notifications, payment API credentials API, etc.
Get responsive design right
PWAs are about user experience, in a way. So it's important to get progressive enhancement and responsiveness right.
You could check my old post on responsive design, but to summarize, in order to be responsive you need the three technologies defined by Ethan Marcotte back in 2010:
- Fluid grids
- Flexible images (including art direction)
- Media queries (remember to use a mobile-first approach and to let your content define the breakpoints, maybe you just need one, or maybe you need twenty!)
...and the viewport meta tag:
<meta name="viewport" content="width=device-width, initial-scale=1">
Service workers
Service Workers are the most impactful modern web technology since Ajax, and will probably replace it in the future.
A service worker is a client side, programmable, network proxy; basically, a script that intercepts requests. The primary uses for a service worker are: act as a caching agent to handle network requests or store content for offline use, and handle push messaging. You can precache assets during installation and provide a fallback for offline access. Then you can get updated content when online again. The browser does not need to be open for the script to be active.
Service workers are a type of web worker (basically web workers allow you to have several threads):
- they run in the background, separate from the main browser threads
- they are event driven and promise based
- they are https only, for security
They use two APIs:
The service worker becomes idle when not in use, and restarts when it's next needed.
Lifecycle of a service worker
Every service worker goes through three steps in its lifecycle:
- Registration
- Installation
- Activation
If debugging in Chrome, it is recommended to tick "Disable cache" in the Network tab, and "Update on reload" under Service Workers in the Application tab.
Registration
The browser will only complete the registration if the service worker is new or has been updated.
The scope of the service worker determines from which path the service worker will intercept requests. A service worker cannot have a scope above its own path.
For progressive enhancement, always do feature detection first:
// Progressive enhancement: checking browser support
if (!('serviceWorker' in navigator)) {
console.log('Service Worker not supported');
return;
}
navigator.serviceWorker.register('/service-worker.js', { scope: '/app/' })
.then(function(registration) {
console.log('service worker registered! Scope is:', registration.scope);
})
.catch(function(error) {
console.log('There was an error: ', error);
});
Installation
Once the the browser registers a service worker, the install event can occur. It will trigger if the browser considers the service worker to be new, either because this is the first service worker encountered for this page, or because there is a byte difference between the current service worker and the previously installed one.
self.addEventListener('install', function(event) {
// The install event is a good time to do stuff like caching
// the App Shell or static assets using the Cache API
// Keep reading to learn how!
});
Activation
If this is the first encounter of a service worker for this page, the service worker will install and, if successful, it will transition to the activation stage. Once activated, the service worker will control all pages that load within its scope, and intercept corresponding network requests.
Only one version of the service worker is running at any given time for a given scope. All pages controlled by a service worker must be closed before a new service worker can take over, because there can only be one service worker controlling a page at any time. However, you can programmatically force the activation of the new service worker with self.skipWaiting()
, even if there is another service worker controlling the page.
self.addEventListener('activate', function(event) {
// The activate event is a good time to clean up old caches
// and anything else associated with a previous version of
// your service worker. Keep reading to know how!
});
Service Worker Events
Normal events
-
'install'
: Emitted when it's registered -
'activate'
: Emitted when it takes control of the page -
'message'
: Emitted when another service worker sends it a message
The registration log may appear out of order with the other logs (installation and activation). The service worker runs concurrently with the page, so we can't guarantee the order of the logs (the registration log comes from the page, while the installation and activation logs come from the service worker). Installation, activation, and other service worker events occur in a defined order inside the service worker, however, and should always appear in the expected order.
Functional Events
These are events that the service worker can respond to: 'fetch'
, 'sync'
, and 'push'
.
Fetching
A fetch event is fired every time a resource is requested. Listening for fetch events in the service worker is similar to listening to click events in the DOM. We could listen for fetch events and, for example, return cached content:
self.addEventListener('fetch', function(event) {
console.log('Fetching:', event.request.url);
event.respondWith(
caches.match(event.request)
);
});
The fetch event will only fire for pages inside the scope controlled by the service worker.
The fetch API is going to replace Ajax (XMLHttpRequest
). It comes integrated with web workers and it's promise based. It doesn't need HTTPS and supports CORS.
fetch('/examples/example.json')
.then(function(response) {
return response.json();
})
.catch(function(error) {
console.log('Fetch failed', error);
});
// ES6
fetch('animals.json')
.then(response =>; {
return response.json();
})
.then(json =>; {
console.log(json);
});
Working offline
How could we make an existing site work off-line? You might use the browser cache, but it's not quite good enough. It will fail if the browser is off-line. You might use the older AppCache and a list of URLs to cache; it will work, but often has problems. The recommended way is to use a Service Worker.
- You write a small script that fetches and stores the files via the Cache API.
- The same script intercepts fetch events (inside the service worker) and retrieves the file from the cache.
- If you ever need to, you can update files via the Cache API
There are three steps to achive working offline smoothly: storing, retrieving and deleting.
Storing
Storage is basically disk space, and it's per origin not per API. In other words, local storage, session storage, service worker cache and IndexedDB all share the same space. The Cache API lets you set up multiple caches, shown as collections of files.
It is recommended to not cache a lot of stuff during install. Cache only the strictly needed, like the application shell. Never cache the manifest file.
Use the Cache API for URL addressable resources. If there is a lot of information that you need to persist and reuse across restarts, use an IndexedDB database instead.
// Even if you add the '.' directory to the cache, you have
// to also add the index.html because '/' and '/index.html'
// are two diff urls and you may get a 404 error
var CACHE_NAME = 'static-cache';
var urlsToCache = [
'.',
'index.html',
'styles/main.css'
];
self.addEventListener('install', function(event) {
event.waitUntil(
caches.open(CACHE_NAME)
.then(function(cache) {
return cache.addAll(urlsToCache);
})
);
});
Opening the cache is an asynchronous operation, so we have to tell it to wait unitl it's finished before it switches to the active state.
Retrieving
With a service worker, you can try first to retrieve content from the cache, and if it's not there, go fetch it from the network:
self.addEventListener('fetch', function(event) {
event.respondWith(
caches.match(event.request)
.then(function(response) {
return response || fetch(event.request);
})
);
});
Instead of just fetching, we could also use a custom function, which will both fetch and cache:
self.addEventListener('fetch', function(event) {
event.respondWith(
caches.match(event.request)
.then(function(response) {
return response || fetchAndCache(event.request);
})
);
});
function fetchAndCache(url) {
return fetch(url).then(function(response) {
if (!response.ok) {
throw Error(response.statusText);
}
return caches.open(CACHE_NAME)
.then(function(cache) {
cache.put(url, response.clone());
return response;
})
.catch(function(error) {
console.log('There was an error: ', error)
});
});
}
Bad responses (like 404s) still resolve! A fetch promise only rejects if the request was unable to complete. But that doesn't mean we want to cache error pages! Hence we have to check response.ok
. Also, the request is a stream that can only be consumed once, so if you don't clone()
the response, you will lose it. If any of the promises in the chain rejects or throws an error, the cacheFailure(error)
function will be invoked.
Deleting
The service worker API provides a controlled way of deleting cached content. If you don't delete the cache, the browser may do it.
var cacheName = 'cache-v1';
// ...
self.addEventListener('activate', function(event) {
event.waitUntil(
caches.keys()
.then(function(keyList) {
return Promise.all(keyList.map(function(key) {
if (key !== cacheName) {
return caches.delete(key);
}
}));
})
);
return self.clients.claim();
});
A long activation could potentially block page loads. Keep your activation as lean as possible, only use it for things you couldn't do while the old version was active.
It’s important to remember that caches are shared across the whole origin.
Caching
Service workers use the Cache API for storage. It is actually exposed on the window, and the entry point is caches
.
All updates to items in the cache must be explicitly requested; items will not expire and must be deleted. You are also responsible for periodically purging cache entries. Each browser has a hard limit on the amount of cache storage that a given origin can use. The browser will generally delete all of the data for an origin or none of the data for an origin.
Make sure to version caches by name and use the caches only from the version of the script that they can safely operate on.
When can you cache:
- On install, cache the application shell (static assets like CSS, etc.)
- On activate, remove outdated caches
- On fetch and offline-first approach, retrieve with network fallback (i.e., serve from cache, if it's not there, fetch from network).
- You could also cache the response from the network.
- On user interaction. You don't need a service worker to use the Cache API: give the user a "Read later" or "Save for offline" button. When it's clicked, fetch what you need from the network and put it in the cache.
Caching strategies for PWAs
- Cache falling back to network
- Network falling back to cache
- Cache then network
- Generic fallback
Cache falling back to network
This is also called "offline-first". The request is intercepted by the service worker, and we look for a match in the cache. If that fails we send the request to the network and return the response.
Network falling back to cache
This is the opposite, or "network-first". The request is intercepted by the service worker, and we send the request to the network. If that fails, we look for a match in the cache and return the response.
This is a good approach for resources that update frequently, that are not part of the "version" of the site (e.g. articles, avatars, social media timelines, game leader boards). Online users get up-to-date content, offline users get an old cached version.
Caveats: If users have an intermittent or slow connection, they'll have to wait for the network to fail before they get content from the cache. This can take an extremely long time and is a frustrating user experience.
var cacheName = 'cache-v1';
// ...
self.addEventListener('fetch', function(event) {
event.respondWith(
fetch(event.request)
.catch(function() {
return caches.match(event.request);
})
);
});
Cache then network
This uses both of the previous approaches simultaneously. It's done outside of the service worker, using the fetch API. The page makes two requests, one to the cache, one to the network. The cache will most likely respond first, so it shows cached data first, then updates the page when the network data arrives.
var networkDataReceived = false;
var networkUpdate = fetch('/data.json')
.then(function(response) {
return response.json();
})
.then(function(data) {
networkDataReceived = true;
updatePage(data);
});
caches.match('/data.json')
.then(function(response) {
return response.json();
})
.then(function(data) {
if (!networkDataReceived) {
updatePage(data);
}
})
.catch(function() {
return networkUpdate;
})
Generic fallback
If the request is not found in both the cache and on the network, respond with a precached custom "offline" page. This technique is ideal for secondary imagery such as avatars, failed POST requests, "Unavailable while offline" pages, etc.
The item you fallback to is likely to be a resource that you cached on the install event of the service worker.
self.addEventListener('fetch', function(event) {
event.respondWith(
caches.match(event.request)
.then(function(response) {
return response || fetch(event.request);
})
.catch(function() {
return caches.match('/offline.html');
})
);
});
Resources
Blog posts
- The building blocks of progressive web apps, by Ada Rose
- What Are Progressive Web AMPs?
- The offline cookbook, by Jake Archibald
- Offline Storage for Progressive Web Apps, by Addy Osmani