Going Postal with postal.js

Going Postal with postal.js

By Nicholas Cloud, OCI Software Engineer

June 2012


JavaScript: a chimera

One day, Brendan Eich forgot to have his morning shot of espresso and, in a decaffeinated stupor, created the JavaScript programming language.

I cannot vouch for the accuracy of this claim but, as this is not a historical exposition, we will assume the truth of it.

JavaScript is unique because it is a functional language with classical trappings. JavaScript code may be organized according to classical conventions primarily through the use of JavaScript constructor functions, or it may be organized according to functional conventions in which individual functions are composed and passed as arguments to other functions.

JavaScript objects can message each other via methods, and JavaScript functions can message each other via invocation. In the dark and distant past, it was common for constructor functions (classes) and normal functions to live in the global JavaScript scope, which meant that all classes and functions were accessible everywhere. This was often mitigated by creating classes and functions as public members of a global, named object literal, so that what was once var bar = function () {...}; became var Foo = {}; Foo.bar = function () {...};.

This was a much more pleasant situation, but it did nothing to prevent developers from overriding members of the named object literal, since it was still in the global scope.

A far more elegant solution to this problem has come into favor in modern times: the JavaScript module pattern.

Because JavaScript is a functional language, it can leverage closures to give objects returned from a function access to what would otherwise be "private" data and code within the function. This object then becomes a public API to the code contained within its closure function.

Instead of organizing classes and functions in the global scope, or making them members of a global object, these constructs can be declared inside of a large function closure and only the parts that should be exposed publically can be returned from the closure function invocation, creating a form of encapsulation. Other code can "message" code within the closure by invoking members on the returned object (or, if the returned object is a function itself, invoking it directly).

The module pattern solves the problem of encapsulation, but objects still need to communicate. We want modules to message other modules so we can build composable JavaScript applications.

Since modules are large function closures, it makes sense that the closure might accept, as function arguments, the public objects returned from other module closures. Messages could be sent to, and received from, other modules by interacting with these objects.

This is, in fact, how many JavaScript programs are structured. There are even libraries such as require.js that will resolve and "inject" module dependencies for the developer.

This approach works well for a manageable set of modules, but what happens when modules, like Tribbles, begin to multiply? What happens when one operation in a given module affects several, or all other modules in an application? The list of dependencies begins to grow, and every time a new module is introduced, otherwise working code must be changed.

This can be avoided. We have the technology. We can build it.

When going postal is the answer

It is fortunate for us that a solution to this problem already exists: the message bus. Gregor Hohpe, in the excellent volume Enterprise Integration Patterns, defines a message bus as "a common command set, and a messaging infrastructure to allow different systems to communicate through a shared set of interfaces."1 While JavaScript is hardly identified with "enterprise architecture" (though, oddly enough, it is probably found in nearly every enterprise application in some way or another), the message bus pattern is still an elegant approach to decoupling an application. postal.js is an in-memory JavaScript message bus, maintained as an open source project by Jim Cowart, "husband, father, architect, developer, tea drinker"2, and international man of mystery. (I may have embellished that last part.) According to the postal.js README:

    "Using a local message bus can enable to you de-couple your web application's components in a way not possible with other 'eventing' approaches. In addition, strategically adopting messaging at the 'seams' of your application (e.g. - between modules, at entry/exit points for browser data and storage) can not only help enforce better overall architectural design, but also insulate you from the risks of tightly coupling your application to 3rd party libraries." 3

If you use JavaScript on the client, there is a good chance you also use jQuery or some other DOM abstraction library to handle DOM events and perhaps create your own custom events. If you are writing JavaScript on the server you probably use Node.js and the EventEmitter object to create and handle events as well. postal.js does not replace these eventing mechanisms, but instead augments an application by providing a common messaging layer between modules that, themselves, leverage these eventing technologies internally.

All features of postal.js are accessed via the postal object. In the browser, the postal object is typically attached to the window object by default. I explained earlier that, while this is a workable solution, global objects are typically a bad idea for many different reasons. Instead, wrapping code in closures and passing dependencies to them as function parameters is an excellent way to avoid polluting the global scope. Fortunately, postal.js ships with two alternate scripts that conform to this pattern:

Regardless of how your code is organized and your dependencies are managed, however, postal concepts and API calls remain the same.

Channels and Topics

When I send a letter to a friend who lives in another city, I specify the city, state, and street address to which the message will be delivered. It is entirely possible that a street in another city may share the same name as my friend's street (e.g., Washington Street), but because I have "namespaced" the address with the city in which my friend lives, the post office knows exactly which street is meant.

Messages are routed by the message bus according to the channel on which they are published, and the topic the message specifies. A channel is a logical container for topics. Channel names are unique, but topics, like streets in a city, are only unique for the channel of which they are a part (i.e., topics with the same name can exist under different channels). When a message is placed on the message bus both a channel and topic are specified, and only handlers which listen for that topic, on that specific channel, will receive that message. Channels are convenient ways to organize groups of "topics" at a very high level. Topics are the individual message types that a subscriber might be interested in within a channel.

To add a message subscription, a channel object is created by invoking the postal.channel() method, supplying one set of the following arguments:

In the following example I create two channels, vehicle and payment, both of which have a reverse topic. By calling postal.channel() I obtain subscription definition objects with which I add message handlers to the message bus. I then publish a message on the vehicle channel, specifying the reverse topic, and the corresponding vehicle subscription callback is invoked. Notice also that, while I hold a reference to the vehicleChannel object, I can always ask postal for the channel by name/topic elsewhere in code; I need not pass around a channel reference, which is desirable because a message bus is designed to facilitate communication between subsystems that may not even know about each other.

  1. var vehicleChannel = postal.channel('vehicle', 'reverse');
  2. //or: var vehicleChannel = postal.channel({channel: 'vehicle', topic: 'reverse'});
  3. var paymentChannel = postal.channel('payment', 'reverse');
  4.  
  5. vehicleChannel.subscribe(function (data) {
  6. //this callback will be invoked
  7. console.log('backing up ' + data.qty + ' feet');
  8. });
  9.  
  10. paymentChannel.subscribe(function (data) {
  11. //this callback will not be invoked
  12. console.log('refunding ' + data.qty + ' dollars');
  13. });
  14.  
  15. postal.channel('vehicle', 'reverse').publish({qty: 3});

When a subscription is no longer needed, calling unsubscribe() on the subscription object prevents the message handler from receiving any further messages from the bus.

Wildcards: # and *

Topics may be refined through dot notation. It is typically the case that a topic may subsume a number of more specific topics, for which additional channels would be a waste, but nevertheless warrant their own handlers when messages are published on the bus. For example, order.placedorder.packagedorder.packaged.labeledorder.shipped.ground, and order.shipped.air are all topics related to an order delivery pipeline that many parts of an application would be interested in.

If an event handler applies to multiple topic refinements, wildcards can be used to eliminate the need for multiple handlers. In the following example I set up a handler to respond to any orders that have been shipped, regardless of the shipping method.

  1. var fulfillmentChannel = postal.channel('fulfillment', 'order.shipped.#');
  2. fulfillmentChannel.subscribe(function (data) {
  3. //do something with the data
  4. });

he "hash" or "pound" symbol can be used as wildcard for one segment of a topic name. In our fulfillment example, I used the # wildcard to replace the specific ground and air portions of the topic since I was only interested in the fact that an order had actually shipped. The "star" or "asterisk" symbol may be used as a wildcard for any consecutive characters in a topic name, and is not limited to individual segments like the hash symbol. If I were interested in all order events, for example, I might use the topic order.* or order* when requesting a channel.5

Subscriptions

The subscription object in postal.js has a number of helpful methods that provide precise control over how and when subscription callbacks are executed. These API methods may be used individually, or chained together for more complicated callback scenarios. Note that in most of these examples I am using the global "/" channel by omitting the channel argument from the postal.channel() call. This omission is a definite indication of laziness.

distinctUntilChanged()

Prevents subscription callbacks from handling duplicate, consecutive topics.

It is often desirable to limit the number of times a program can respond to consecutive application event. This is especially important for user interaction scenarios when an accidental double-click could mean the difference between a happy customer with a single credit card charge or an irate customer paying overdraft fees.

In the following example, a fictitious shopping cart prevents a customer from accidentally adding a shirt to her order twice.

  1. var total = 0;
  2. var c = postal.channel('shop', '#.selected');
  3. c.subscribe(function (item) {
  4. total += item.price;
  5. }).distinctUntilChanged();
  6.  
  7. postal.channel('shop', 'shirt.selected').publish({id: 102, price: 10});
  8. //duplicate is ignored
  9. postal.channel('shop', 'shirt.selected').publish({id: 102, price: 10});
  10. postal.channel('shop', 'slacks.selected').publish({id: 110, price: 15});
  11. postal.channel('shop', 'shoes.selected').publish({id: 255, price: 20});
  12.  
  13. //total price is 10 + 15 + 20 = 45

distinct()

In many modern video games a player can earn achievements by performing certain actions within the game. In role-playing games, for example, players often collect "loot" that they may then use for different purposes. Some of this "loot" is very valuable, and an achievement might be awarded to a player who collects a certain set of unique items. The code below uses the subscription's distinct() method to simulate this system and award a player for collecting a full set of armor. Duplicate items will be ignored by the handler, because the achievement is only awarded when the player collects one type of each item.

  1. var inventory = [];
  2.  
  3. var c = postal.channel('loot.acquired');
  4. c.subscribe(function (item) {
  5. inventory.push(item);
  6. if (inventory.length === 3) {
  7. postal.channel('achievement.earned').publish('full.armor.set');
  8. }
  9. }).distinct();
  10.  
  11. postal.channel('loot.acquired').publish('sword');
  12. postal.channel('loot.acquired').publish('shield');
  13. //duplicate ignored
  14. postal.channel('loot.acquired').publish('sword');
  15. //duplicate ignored
  16. postal.channel('loot.acquired').publish('shield');
  17. postal.channel('loot.acquired').publish('boots');
  18. //achievement earned!

isposeAfter(maxCalls)

Automatically unsubscribes a channel after a given number of handler invocations.

An application may have an interest in system events, but at some threshold, ceases to care whether those events continue or not. A channel subscription can be instructed to automatically "dispose" itself (unsubscribe, really) after it has handled a certain number of events. If events are further published on the channel, the unsubscribed event handler will not be invoked.

Below I am interested in capturing a user's top three movies. Once they have selected three their choice is irreversible, so I instruct the channel to unsubscribe once it has handled three events.

  1. var favorites = [];
  2. var c = postal.channel('favorite.movies');
  3. c.subscribe(function (m) {
  4. favorites.push(m);
  5. }).disposeAfter(3);
  6.  
  7. postal.channel('favorite.movies').publish('Hot Fuzz');
  8. postal.channel('favorite.movies').publish('Blade Runner');
  9. postal.channel('favorite.movies').publish('TRON');
  10. //oh darn, too late--already unsubscribed!
  11. postal.channel('favorite.movies').publish('Star Wars');
  12.  
  13. //favorite moves are: Hot Fuzz, Blade Runner, and TRON

withConstraint(predicate) / withConstraints(predicates)

Will prevent the subscription handler from executing if a constraint is not met.

Although we could add conditional logic in the body of an event handler, postal provides methods whereby we can specify one or more conditions that must be met in order for the event handler to be executed when a publish occurs on the channel. This keeps the event handler unpolluted with criteria logic that is related to the behavior of the subscription. In this example I am using a compound condition that tests both data outside of the message handler and the data placed on the bus.

If you have seen Back to the Future you know that the one constant of time travel is that a time machine must reach 88 MPH to traverse the ages. Undoubtedly Doc Brown's code looked something like this:

  1. var speed = 88;
  2.  
  3. postal.channel('vehicle.accelerated').subscribe(function (passenger) {
  4. timeTravel(passenger);
  5. }).withConstraint(function (passenger) {
  6. return speed === 88 << passenger === 'Marty';
  7. });
  8.  
  9. postal.channel('vehicle.accelerated').publish('Marty');

withContext(context)

Determines the value of this within a subscription callback.

The JavaScript this keyword is schizophrenic. Its identity changes depending on the scope in which it is used, and it is often not at all predictable. A free-standing function is attached automatically to the global object (window in the browser), so the value of this within that function is the global object. A function that is assigned to an object property (a method) will reference that object when this is used. The Function object prototype also has both call() and apply() methods which allow the value of this to be arbitrarily set by the developer when a function is invoked.

Because postal subscriptions use anonymous functions as callbacks, the value of this within the callback is, by default, the global object. The postal API allows this to be manipulated, however, so that when a callback is invoked, the this variable may be set deterministically. In the example below I want to modify a DOM element when my coffee is ready, and because I am lazy, I use withContext() to capture a reference to my "mug" DOM element, which will be the value of this within my callback.

It is also important to note that postal caches the object passed into withContext(), so in this case the DOM is traversed only once for the "mug" element. All callbacks invocations will have a reference to the exact same this object.

  1. var c = postal.channel('coffee.ready');
  2.  
  3. c.subscribe(function (data) {
  4. //this === window
  5. });
  6.  
  7. c.subscribe(function (data) {
  8. //this === $('#mug')
  9. }).withContext($('#mug'));
  10.  
  11. postal.channel('coffee.ready').publish({});
  12. postal.channel('coffee.ready').publish({});
  13. postal.channel('coffee.ready').publish({});

withDebounce(milliseconds)

Delays execution of the callback for a given number of milliseconds after the last time the callback would have been invoked.

My wife often says many things to me over a very short period of time. She is very good at communicating, but I am not as good at listening. I tend to remember the last thing she tells me but everything prior to that evades my short term memory. This is because, by default, I have debounce enabled.

In postal, debounce() is used to delay the execution of a callback by a specific period of time after the last time the callback would have been invoked had the delay not been in place. When a stream of messages are published to postal in rapid succession, often a handler is only interested in the last of the messages, which represents the final state of some operation. When debounce() is called on a subscription object, postal will delay the execution of the subscription callback by the duration specified. If postal receives a message for the handler before this timeframe has elapsed, it resets the timer to zero and begins to wait again. If the time elapses with no further interruption, the callback is invoked.

In the following example I am listening for the window.resize event, which is notoriously noisy. The event fires often as the user drags the edge of the browser, but I am really only interested in the final size of the viewport when the resizing has been completed. I use debounce() to delay the invocation of my callback for exactly one second each time a resize message is published to postal. When the message handler executes, it will receive the last message placed on the bus. When I receive that event, I resize the element with an ID value of #movie to be half the height and width of the window.

  1. var c = postal.channel('resize');
  2.  
  3. c.subscribe(function (dim) {
  4. $('#movie').height(dim.h / 2)
  5. .width(dim.w / 2);
  6. }).withDebounce(1000);
  7.  
  8. $(window).resize(function () {
  9. postal.channel('resize').publish({
  10. h: this.innerHeight,
  11. w: this.innerWidth
  12. });
  13. });

withDelay(milliseconds)

Delays the subscription callback execution for a given number of milliseconds.

A delay is similar to a debounce in that they both defer the invocation of a callback until some future point in time. Unlike a debounce, a delay does not discard all published messages except the last. A delayed callback will still react to all messages published to its channel during the delay period, but it defers all invocations.

Waking up in the morning can be a difficult task, so I can delay the inevitable by hitting the snooze button on my alarm clock. In the example below I am only publishing one "wakeup.alarm" message to the bus, but if I had published more, the callback would execute for each message published.

  1. var c = postal.channel('wakeup.alarm');
  2.  
  3. //going to snooze for 30 mins.
  4. var snoozeDuration = (30 * 60 * 1000);
  5.  
  6. c.subscribe(function (data) {
  7.  
  8. //make sure this lazy ass gets out of bed!
  9. alarm.buzz({volume: data.volume});
  10.  
  11. }).withDelay(snoozeDuration);
  12.  
  13. postal.channel('wakeup.alarm').publish({volume: 'annoying'});

withPriority(priority)

Associates a subscription callback with an arbitrary priority number; higher priority callbacks are triggered first.

Typically the order in which messages are handled on a message bus is irrelevant, but occasionally it is helpful to specify the order in which handlers react to published messages. The subscription object provides a withPriority() method that accepts a number indicating the relative priority its handler should receive. A lower number will take precedence over a higher number (think of it link an array index - lower numbered indices are iterated over first).

I've created two handlers that respond to a stock event messages--one handler represents stock holders, the other, inside traders. Even though the stock holder subscription is created first, its larger priority number means that it will be executed after the inside trader handler.

  1. var c = postal.channel('stock.event');
  2.  
  3. var stockholder = function (data) {
  4. console.log('Stockholder knows!');
  5. };
  6.  
  7. var insider = function (data) {
  8. //will always know first!
  9. console.log('Insider knows!');
  10. };
  11.  
  12. c.subscribe(stockholder).withPriority(100);
  13. c.subscribe(insider).withPriority(75);
  14.  
  15. postal.channel('stock.event').publish({action: 'sell!'});
  16.  

withThrottle(milliseconds)

Prevents a subscription callback from being invoked more than once in a given time frame (in milliseconds).

A throttled subscription will invoke its handler once, then wait for a specified period of time before invoking it again, regardless of the number of messages that are published to the channel during that time. Once the throttle period has elapsed, the handler may then respond to another message, but will ignore subsequent messages until the throttle period has, again, elapsed. This allows a subscription to effectively "ignore" a steady stream of messages, preferring to respond to individual messages, at timed intervals, instead. Like debounce() and withDelay(), this API method is designed to mitigate the demand of high message traffic.

GPS tracking is a good source of constant, streaming data. In the example that follows I simulate the movement of a high-speed vehicle with a recursive function that increments its position on a linear path. Each time the movement function executes--every 0.5 seconds--it publishes an event to the bus. The subscription handler has a throttle of two seconds because the movement data is being published too quickly. The callback handler will be invoked for (roughly) every third message.

  1. var c = postal.channel('dhs.track.movement');
  2.  
  3. c.subscribe(function (pos) {
  4. console.log('Moved to ' + pos);
  5. }).withThrottle(2000);
  6.  
  7. (function move (timesMoved) {
  8. if (timesMoved === 50) return;
  9. postal.channel('dhs.track.movement').publish(timesMoved);
  10. setTimeout(function () {
  11. move(timesMoved + 1);
  12. }, 500);
  13. }(0));

defer()

Prevents the callback from executing until the current execution stack is cleared. Useful for long computations that could make the UI non-responsive.

One key principle of user interface design is that the user should not be kept waiting. A responsive UI is a friendly UI. Since JavaScript is executed on a single thread in the browser, it must use clever tricks to simulate parallel operations. Using a subscription's defer() method effectively short-circuits these tricks, and forces the runtime to finish what it's doing before the message handler executes its code. This allows the UI to stay responsive for as long as possible before performing resource-intensive operations.

  1. var largeDataSet = {}; //lots of data in here
  2.  
  3. var c = postal.channel('schedule', 'query');
  4. c.subscribe(function (query) {
  5. var item, results = [];
  6. for (item in largeDataSet) {
  7. if (!largeDataSet.hasOwnProperty(item)) continue;
  8. if (query.matches(item)) {
  9. results.push(item);
  10. }
  11. }
  12. postal.channel('schedule', 'filter').publish(results);
  13. }).defer();
  14.  
  15. //elsewhere...
  16. $('input[type="checkbox"]').change(function () {
  17. var checkbox = this;
  18. var query = {
  19. matches: function (item) {
  20. return item.title === checkbox.value;
  21. }
  22. };
  23. postal.channel('schedule', 'query').publish(query);
  24. });

Putting it all together

So far we've seen what postal.js can do, but not how it might actually be used. To illustrate how an application using modules might take advantage of the postal message bus, I have created a demo project that is freely available in my Github repository. While duplicating the project code in this article would be prohibitive, I will give you an overview of the project (with pictures!) and explain how the code is organized, and how it leverages postal.js to manage module interaction.

My demo project is called LEARNyou. It is a small, fictitious application that is designed to connect people with certain skills to people who want to learn those skills. If I want to learn how to replace kitchen cabinets, I can browse to LEARNyou and search for someone in my city that's willing to teach me how to do it (for a fee, of course).

The initial set of use cases for this application is very small:

The application is a single page divided into several functional areas with which the user may interact. At the top is a "tag cloud" that displays all skill categories. In the middle is a list of people within a category, and the services that they are offering. When a user clicks on a particular category the offers below the tag cloud change. At the bottom of the page is a search box in which the user can enter queries that will filter both the tag cloud and the available offers if matches are found.

LEARNyou 1

The application's JavaScript code has been separated into modules that correspond to the functional areas of the page, as well as some utility modules that handle lower-level tasks. All modules are located under the js/ directory and are written for require.js. (Understanding how require.js works is not necessary for understanding the structure of the application. All you need to know is that require.js loads and passes dependencies into modules for you. In this case, I am mainly using require.js to pass the jQuery and postal objects to my modules). Below is a list of modules, along with what messages they subscribe and listen to on the message bus.

home.js

Configures require.js.

search.js

Queries the data store when the user performs a search.

LEARNyou 3

Performing a search highlights applicable categories and changes the visible offers

tagCloud.js

Manages user interaction with the tag cloud at the top of the page.

LEARNyou 2

Choosing a different category highlights that category and changes the visible offers

offers.js

Manages user interaction with the list of offers below the tag cloud and loads and refreshes offers when the user selects a category from the tag cloud or when the user performs a search.

LEARNyou 4

Clicking on an offer reveals offer details

Utility scripts

The utility scripts do not subscribe to messages from, or publish to, the message bus, but provide plumbing for the rest of the application.

Even though LEARNyou is a simple demo project, it still makes good use of the module pattern to encapsulate code, and uses the postal message bus to allow these modules to communicate without having to know about each other. Each module subscribes to and publishes messages as needed.

Conclusion

There are two important ideas that are common to applications developed on all platforms, in all languages, and in all paradigms.

The first idea is that code should, to some extent, be isolated from other code. In classical languages encapsulation is accomplished by access modifiers on classes and members; in functional languages this is accomplished with closures; and in procedural languages this is accomplished by the religious inclusion of underscores in structure member names, a ritual which reminds other developers to behave themselves and pretend that said members are, in fact, private.

The second idea is that these isolated pieces of code, while hiding their implementation from prying eyes, nevertheless must communicate with each other, much like those awkward conversations we all have every year at Thanksgiving. Regardless of how code is organized, if it cannot communicate or message other code our programs would be severely restricted and code reuse would cease to be possible.

On the surface, both of these ideas might appear to be antithetical. How can hidden or encapsulated code, about which external code must necessarily be agnostic, communicate with the very code it hides from? It can do so by delegating communication to a neutral third party, who acts as a message broker on behalf of all units of code involved. For JavaScript modules, postal.js excels at this role. The postal.js API is simple and terse, and sports a powerful set of features that give a developer significant control over how and when messages are handled. Channels and topics are a convenient way for applications to organize messages, and wildcard subscriptions eliminate the need for overly-granular callbacks.

The power of postal.js makes it a library fit for every JavaScript developer's toolkit.

Footnotes

  1. Hohpe, Gregor. Enterprise Integration Patterns. 2004 Pearson Education, Inc. p. 139.
  2. Cowart, Jim. "About". Fresh Brewed Code. n.d. web 13 May 2012.
  3. Cowart, Jim. "README". ifandelse/postal.js. Github. 23 April 2012.
  4. cmosher01. "AMD". amdjs/amdjs-api. Github.
  5. In future versions of postal.js wildcards will be inversed so that * will act as a segment wildcard and # will act as a consecutive character wildcard. This is closer to established wildcard patterns, such as that of AMQP.

References

secret