Live Collections using Backbone.js, Faye and Node

Why LiveCollections?

Gitter is a realtime collaborative application. Having a real-time, push-based application, where updates are automatically reflected in the client, is essential. We were keen to leverage the power of Backbone.js, so we decided to extend Backbone with
real-time Live Collection capabilities to enable realtime push in Backbone collections.

Our aim: create a real-time drop-in replacement for Backbone collections that plays nicely with Node.js

We were already using Mongoose.js for Mongo persistence, so it made sense for us to leverage the Mongoose middleware concept to generate CRUD notifications.

Our initial implementation used the now-defunct now.js for realtime client notifications, but we switched to Faye as our requirements became clearer.

For this demo, we'll show you how to build your own LiveCollection implementation.

Take a look at the source on GitHub.

TL;DR

With only a few moving parts, and minimal changes to your Backbone application, it's easy to drop in a real-time push-based live collection component.

Technologies Used

This demo uses Faye, Backbone.js, Mongoose.js, Baucis, Node.js, Express.js and MongoDB (phew!). Baucis generates REST interfaces from Mongoose schemas, and we used it to keep the demo small. There is no requirement for it.

For a front-end, we're using TodoMVC's Backbone.js example, with a few changes:

  • LocalStorage has been switched for a REST backend.
  • The REST backend is implemented as a Node.js http server connecting to a Mongodb backend, using the technologies mentioned above.

We'll take a fairly standard stack, like this:...
The basic stack that we'll be adapting for LiveCollections

... and extend it with additional client and server components, like this:
The final technology stack

Why Faye?

"Faye is a publish-subscribe messaging system based on the Bayeux protocol. It provides message servers
for Node.js and Ruby, and clients for use on the server and in all major web browsers."
-- http://faye.jcoglan.com/

Alternatives to Faye include Engine.io, Socket.io, straight sockets, but here are some reasons we feel Faye is right for us:

  • A well documented network protocol: Faye is built on top of the well-established and open Bayeux protocol. Being open means ObjectiveC, Android, Ruby and Javascript implementations exist and should be able to interoperate.
  • High-level messaging interface: Faye provides a right-level API that allows us to focus on publishing messages to channels, while Faye deals with client handshaking, reconnections, etc
  • Fallback: in the real-world of outdated browsers, websocket implementations are notoriously flakey. Faye falls back to comet-style implementations when web sockets aren't behaving correctly.
  • Easy: Faye is easy to understand and use.

{% gist 5621243 %}

Using a REST-like scheme for Pub/Sub Channels

Backbone Collections use REST URL endpoints and CRUD operations are performed using POST, PUT and DELETE operations. Faye uses channels, not URL endpoints, and passes messages. We need a way of mapping between these two domains. Luckily, it's quite easy to do:

For each LiveCollection model, we will use a separate channel. The name of the channel matches the relative REST base-url. For example, for the resource http://server/api/todos/, updates will be published on the channel /api/todos/.

The messages passed over the channel are simple JSON messages. Messages take the form:

{
	method: 'POST/PUT/DELETE',
	body: { ... }
}

The method attribute indicates create (POST), update (PUT) or delete (DELETE) and the body is the object associated with the event.

	<tr>
		<td>Create</td>
		<td><code>POST /api/todos/</code></td>
		<td><code>{ method:“POST”, body: {...} }</code></td>
	</tr>

	<tr>
		<td>Update</td>
		<td><code>PUT /api/todos/id</code></td>
		<td><code>{ method:“PUT”, body: {...} }</code></td>
	</tr>

	<tr>
		<td>Delete</td>
		<td><code>DELETE /api/todos/id</code></td>
		<td><code>{ method:“DELETE”, body: {...} }</code></td>
	</tr>

</tbody>
Operation REST (client to server) Faye (broadcast, server to clients)
GET /api/todos/ client.subscribe(‘/api/todos/’, ...)

Changes to the Client

On the client, we'll extend the Backbone.Collection class to listen to events from Faye. The class subscribes to its Faye channel in its constructor, and messages are handled in the _fayeEvent() method.

{% gist 5621496 %}

Then we change the base class of the Todo collection to extend the LiveCollection, like this:

{% gist 5623171 %}

Changes to the Server to Implement Push

Firstly, we'll need to attach a Faye server instance to our httpServer instance, like so:

{% gist 5621371 %}

The next step is to publish messages to the appropriate channel whenever the mongo collection is modified. Since we're already using Mongoose, the easiest way to generate notifications is by attaching a mongoose middleware component to the Todo schema.

Middleware are functions which are passed control of flow during execution of init, validate, save and remove methods. There are two types of middleware, pre and post.

Unfortunately, in the post('save') middleware you can't easily tell if the save operation was for a create or an update. Therefore we use a small utility, attachListenersToSchema(), to help us out. Dig into the source if you're interested in how we do this.

{% gist 5621437 %}

And we're done!

Here Be Dragons

Obviously we've had to gloss over a few details; here's a few things to look out for:

  1. Views need to respond to non-UI-driven change events: You may need to make changes if your view code responds to UI changes instead of collection/model changes. In the TodoMVC example, the remove model code needed to be modified in order for push deleted to show in the UI. We highly recommend Marionette.js to ease pain here.

  2. Event ordering: Sometimes the client will receive Faye events before the RESTful operation that caused the event has completed, other times not. Don't make any assumptions about the order and timing of events. Read how we deal with some of these problems in the next section.

  3. Security: Obviously this demo doesn't use security, but it's something you'll need to consider carefully.

  4. Partitioning: In this demo all clients get all change events. In a real-world system, this is usually not the case. Follow RESTful principals so that different partitions have different endpoints and this problem is fairly easy to workaround.

  5. Dodgy websockets: Websockets are awesome when they work. Faye deals with much of the pain, but not all of it. Expect weird edge-cases when dealing with bad network connections (or mobile connections), iOS, computers that have awoken from sleep and other scenarios.

  6. Testing: creating a solid test environment when working with push technologies is hard.

Drama with Duplicates: Dealing with unexpected timing issues

The LiveCollection's _createEvent(), _updateEvent() and _removeEvent() methods are fairly straightforward, but one issue that we'll discuss here is the problem of duplicates that occurs sometimes when saving a new object (create), and how we deal with this issue.

As mentioned, sometimes the order of events is not what you might expect. For example, take a look at the following sequence when a client saves a new model to the collection:

  1. HTTP POST request is initiated with { id: null, title: 'Hello' }, client (asynchronously) awaits a response.
  2. On Faye, the client receives create event from server with { id: X, title: 'Hello' }
  3. HTTP response is received: { id: X, title: 'Hello' }

At step 2, the client does not know whether the event is related to the outstanding POST event, or is an event from another client. It's only once the HTTP POST response is received that the client is able to
tell that the event was in fact for the corresponding operation, by matching on the id. If the create was for the same object, the event can safely be ignored. If not, the created object should be inserted into the collection.

We use the following strategy to deal with this situation:

  • If there are no outstanding POST operations, always insert the object immediately.
  • Otherwise, wait until all the outstanding POST operations have completed.
  • Once they have completed, check if the id of the event matches one of the newly sync'ed objects.
  • If it does, ignore the event
  • If not, insert the event's body into the collection - the create must have been from another client.

This is how we do that in code:

{% gist 5621667 %}

LNUG Slide Deck

We presented this as a talk at LNUG.

In Summary

With a small amount of effort you can adapt your existing Backbone.js application to use Live Collections. Just watch out for gotchas. Give it a try and let us know how it goes.

Comments on Hacker News.

Upvote on HN

Andrew Newdigate

Andrew Newdigate

Andrew is a cofounder and the CTO of Gitter. He's from Cape Town in South Africa and lives in London in the UK with his wife and two young kids.

View Comments
Navigation