Google I/O was a continuous, three-thousand-person mind meld, so I talked and listened to a lot of people last week. And more often than not I discovered that Gears is still mostly perceived as some wand that you can somehow wave to make things go offline. Nobody is quite sure knows how, but everyone is quite sure it’s magic.
It takes a bit of time to accept that Gears is not a bottled offlinifier for sites. It takes even more time to accept that it’s not even an end-user tool, or something that just shims between the browser and the server and somehow saves you from needing to rethink how you approach the Web to take it offline. That the primitives, offered by Gears, are an enabling technology that gives you the capability to make completely new things happen on the Web, and it is your, developer’s task to apply it to solve problems, specific to your Web application.
And it’s probably the hardest to accept that there is no one-size-fits-all solution to the problem of taking your application offline. Not just because the solution may vary depending on what your Web application does, but also because the actual definition of the problem may change from site to site. And pretty much any way you slice it, the offline problem is um, hard.
It’s not surprising then that all this thinking often leaves behind a pretty cool capability of Gears: the workers. Honestly, workers and worker pools are like the middle child of Gears. Everybody kind of knows about them, but they’re prone to be left behind in an airport during a family vacation. Seems a bit unfair, doesn’t it?
I missed the chance to see Steven Saviano‘s presentation on Google Docs, but during a hallway conversation, it appears that we share similar thoughts about Gears workers: it’s all about how you view them. The workers are not only for crunching heavy math in a separate thread, though that certainly is a good idea. The workers are also about boundaries and crossing them. With the cross-origin workers and the ability to make HTTP requests, it takes only a few mental steps to arrive at a much more useful pattern: the proxy worker.
Consider a simple scenario: your JavaScript application wants to consume content from another server (the vendor). The options are fairly limited at the moment — you either need a server-side proxy or use JSON(P). Neither solution is particularly neat, because the former puts undue burden on your server and the latter requires complete trust of another party.
Both approaches are frequently used today and mitigated by combinations of raw power or vendor’s karma. The upcoming cross-site XMLHttpRequest and its evil twin XDR will address this problem at the root, but neither is yet available in a released product. Even then, you are still responsible for parsing the content. Somewhere along the way, you are very likely to write some semblance of a bridge that translates HTTP requests and responses into methods and callbacks, digestible by your Web application.
This is where you, armed with the knowledge of the Gears API, should go: A-ha! Wouldn’t it be great if the vendor had a representative, who spoke JavaScript? We might just have a special sandbox for this fella, where it could respond to our requests, query the vendor, and pass messages back in. Yes, I am talking about a cross-origin worker that acts as a proxy between your Web application and the vendor.
As Steven points out at his talk (look for the sessions on YouTube soon — I saw cameras), another way to think of this relationship is the RPC model: the application and the vendor worker exchange messages that include procedure name, body, and perhaps even version and authentication information, if necessary.
Let’s imagine how it’ll work. The application sets up a message listener, loads the vendor worker, and sends out the welcome message (pretty much along the lines of the WorkerPool API Example):
// application.js: var workerPool = google.gears.factory.create('beta.workerpool'); var vendorWorkerId; // true when vendor and client both acknowledged each other var engaged; // set up application listener workerPool.onmessage = function(a, b, message) { if (!message.sender != vendorWorkerId) { // not vendor, pass return; } if (!engaged) { if (message.text == 'READY') { engaged = true; } return; } processResponse(message); } vendorWorkerId = workerPool.createWorkerFromUrl( 'http://vendorsite.com/workers/vendor-api.js'); workerPool.sendMessage('WELCOME', vendorWorkerId);
As the vendor worker loads, it sets up its own listener, keeping an ear out for the WELCOME message, which is its way to hook up with the main worker:
// vendor-api.js: var workerPool = google.gears.workerPool; // allow being used across origin workerPool.allowCrossOrigin(); var clientWorkerId; // true when vendor and client acknowledged each other var engaged; // set up vendor listener workerPool.onmessage = function(a, b, message) { if (!engaged) { if (message.text == 'WELCOME') { // handshake! now both parties know each other clientWorkerId = message.sender; workerPool.sendMessage('READY', clientWorkerId); } return; } // listen for requests processRequest(message); }
As an aside, the vendor can also look at message.origin
as an additional client validation measure, from simple are you on my subdomain checks to full-blown OAuth-style authorization schemes.
Once both application and the vendor worker acknowledge each other’s presence, the application can send request messages to the vendor worker and listen to responses. The vendor worker in turn listens to requests, communicates with the vendor server and sends the responses back to the server. Instead of being rooted in HTTP, the API now becomes a worker message exchange protocol. In which case the respective processing functions, processRequest
and processResponse
would be responsible for handling the interaction (caution, freehand pseudocoding here and elsewhere):
// vendor-api.js function processRequest(message) { var o = toJson(message); // play safe here, ok? if (!o || !o.command) { // malformed message return; } switch(o.command) case 'public': // fetch all public entries // make a request to server, which fires specified callback on completion askServer('/api/feed/public', function(xhr) { var responseMessage = createResponseMessage('public', xhr); // send response back to the application workerPool.sendMessage(responseMessage, clientWorkerId); }); break; // TODO: add more commands } } // application.js function processResponse(message) { var o = toJson(message); if (!o || !o.command) { // malformed message return; } switch(o.command) { case 'public': // public entries received renderEntries(o.entries); break; // TODO: add more commands } }
You could also wrap this into a more formal abstraction, such as the Pipe object that I developed for one of my Gears adventures.
Now the vendor goes, whoa! I have Gears. I don’t have to rely on dumb HTTP requests/responses. I can save a lot of bandwidth and speed things up by storing most current content in a local database, and only query for changes. And the fact that this worker continues to reside on my server allows me to continue improving it and offer new features, as long as the message exchange protocol remains compatible.
And so you and the vendor live happily ever after. But this is not the only happy ending to this story. In fact, you don’t even have to go to another server to employ the proxy model. The advantage of keeping your own server’s communication and synchronization plumbing in a worker is pretty evident once you realize that it doesn’t ever block UI and provides natural decoupling between what you’d consider the Model part of your application. You could have your application go offline and never realize it, because the proxy worker could handle both monitoring of the connection state and seamless switching between local storage and server data.
Well, this post is getting pretty long, and I am no Steve Yegge. Though there are still plenty of problems to solve (like gracefully degrading this proxy model to a non-Gears environment), I hope my rambling gave you some new ideas on how to employ the worker goodness in your applications and gave you enough excitement to at least give Gears a try.
One thought on “Wrap Your Head Around Gears Workers”