3.- structuring-backbone-with-requirejs-and-marionette
3.- structuring-backbone-with-requirejs-and-marionette
David Sulc
This book is for sale at http://leanpub.com/structuring-backbone-with-requirejs-and-marionette
This is a Leanpub book. Leanpub empowers authors and publishers with the Lean Publishing
process. Lean Publishing is the act of publishing an in-progress ebook using lightweight tools and
many iterations to get reader feedback, pivot until you have the right book and build traction once
you do.
Getting Started . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 2
Adding RequireJS to the Mix . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 3
Using Shims . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 6
Listing Contacts . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 16
Modularizing the Contact Entity . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 16
Using the Contact Entity from the Main App . . . . . . . . . . . . . . . . . . . . . . . . 19
Listing Contacts from the List Sub-Application . . . . . . . . . . . . . . . . . . . . . . . 21
Requiring Views and Templates . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 25
Filtering Contacts . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 54
Exercise Solution . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 54
Showing Contacts . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 63
CONTENTS
Exercise Solution . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 63
Editing Contacts . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 68
Exercise Solution . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 68
This will allow you to follow along and see exactly how the codebase has changed: you can either
look at that particular commit in your local copy of the git repository, or click on the link to see an
online display of the code differences.
Any change in the code will affect all the following commit references, so the links in
your version of the book might become desynchronized. If that’s the case, make sure you
update your copy of the book to get the new links. At any time, you can also see the full
list of commits here⁴, which should enable you to locate the commit you’re looking for (the
commit names match their descriptions in the book).
Even if you haven’t used Git yet, you should be able to get up and running quite easily using online
resources such as the Git Book⁵. This chapter is by no means a comprehensive introduction to Git,
but the following should get you started:
You can also use Git to view the code at different stages as it evolves within the book:
• Look around in the files, they’ll be in the exact state they were in at that point in time within
the book
• Once you’re done looking around and wish to go back to the current state of the codebase,
run
⁷https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/archive/master.zip
Why Use AMD?
Asynchronous Module Definition (or AMD for short) is one answer to the problems that plague
modern web development:
First, let’s grab a copy of the source code for our basic Contact Manager application (as it was
developed in my “Backbone.Marionette.js: A Gentle Introduction⁹” book) from here¹⁰. We’re doing
this for convenience, since we’ll now have all libraries and assets (images, icons, etc.) available and
won’t have to deal with fetching them in the next chapters. Downloading the entire app also means
we have all of our modules ready to go, simply waiting to be integrated in our RequireJS app.
Now, let’s start with a basic index.html file, by removing all javascript includes, and templates:
1 <!DOCTYPE html>
2 <html lang="en">
3 <head>
4 <meta charset="utf-8">
5 <title>Marionette Contact Manager</title>
6 <link href="./assets/css/bootstrap.css" rel="stylesheet">
7 <link href="./assets/css/application.css" rel="stylesheet">
8 <link href="./assets/css/jquery-ui-1.10.3.custom.css" rel="stylesheet">
9 </head>
10
11 <body>
12 <div id="app-container">
13 <div id="header-region"></div>
14 <div id="main-region" class="container">
15 <p>Here is static content in the web page. You'll notice that it
16 gets replaced by our app as soon as we start it.</p>
17 </div>
18
19 <div id="dialog-region"></div>
⁸https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/tree/marionette-pre-v2
⁹https://leanpub.com/marionette-gentle-introduction
¹⁰https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/archive/dcc76a70bd5520add1d4ebdc42320aacb0c0d77f.zip
Getting Started 3
20 </div>
21 </body>
22 </html>
You may have noticed that we’ve got some CSS includes that aren’t needed yet. We’ll just leave
them there, so we can avoid dealing with them later: they’ll already be included when we do need
them.
1 <!DOCTYPE html>
2 <html lang="en">
3 <head>
4 <meta charset="utf-8">
5 <title>Marionette Contact Manager</title>
6 <link href="./assets/css/bootstrap.css" rel="stylesheet">
7 <link href="./assets/css/application.css" rel="stylesheet">
8 <link href="./assets/css/jquery-ui-1.10.3.custom.css" rel="stylesheet">
9 </head>
10
11 <body>
12 <div id="app-container">
13 <div id="header-region"></div>
14 <div id="main-region" class="container">
15 <p>Here is static content in the web page. You'll notice that it
16 gets replaced by our app as soon as we start it.</p>
17 </div>
18
19 <div id="dialog-region"></div>
¹¹https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/2cf4f77cbffaab86aaf9b355410a6d2f46f58d29
¹²http://requirejs.org/docs/release/2.1.8/comments/require.js
Getting Started 4
20 </div>
21
22 <script src="./assets/js/vendor/require.js"></script>
23 </body>
24 </html>
So how do we actually load our libraries with RequireJS? We’re going to add a data-main attribute to
the script tag, which will make RequireJS automatically load the provided javascript file. This file,
in turn, will configure RequireJS per our environment, load the top-level dependencies and libraries,
and then start our Contact Manager application. So let’s change our script tag on line 22 to
<script data-main="./assets/js/require_main.js"
src="./assets/js/vendor/require.js"></script>
That was easy enough! Of course, we now need to actually write require_main.js to provide
configuration directives. Let’s start by simply using RequireJS to load jQuery and display jQuery’s
version number:
assets/js/require_main.js
1 require(["vendor/jquery"], function(){
2 console.log("jQuery version: ", $.fn.jquery);
3 });
If you refresh index.html, you’ll now see jQuery’s version number printed in the console. How
is this happening? First, RequireJS determines the baseUrl, which is the path from which all other
paths are computed. By default, it is set to the path provided to the data-main attribute above (minus
the file portion, of course). So in our case, the baseUrl is assets/js.
Then, within require_main.js, we call RequireJS’s require function, which takes 2 arguments:
1. an array of dependencies that need to be loaded before executing the callback function;
2. a callback function that gets executed once all the required dependencies have been loaded.
Note that RequireJS also defines a requirejs function, which is interchangeable with
require.
In the dependency array, we provide the path to the file we want to load relative to the baseUrl path.
As we indicated jQuery was located at vendor/jquery, and our baseUrl is assets/js (because that’s
Getting Started 5
where our require_main.js file is located), RequireJS will look for the library file in assets/js/ven-
dor/jquery.js. So our code essentially instructs “once jQuery is loaded from assets/js/vendor/jquery.js,
print its version number.”
Note that we specify file without extensions. For example, to require jQuery we had
“vendor/jquery” as the dependency, and RequireJS automatically added the “.js” extension.
But we can still improve our code by adding some global configuration:
assets/js/require_main.js
1 requirejs.config({
2 baseUrl: "assets/js",
3 paths: {
4 jquery: "vendor/jquery"
5 }
6 });
7
8 require(["jquery"], function(jq){
9 console.log("jQuery version: ", jq.fn.jquery);
10 console.log("jQuery version: ", $.fn.jquery);
11 });
Due to the equivalence of require and requirejs, the config method could also be called
via require.config. Why do I use requirejs on line 1 and then require on line 8? It’s
just a matter of personal taste: I find that requirejs.config explicitly indicates we are
configuring RequireJS, and using the require function call reads better (i.e. “require these
files before proceeding”). But be aware of the requirejs and require synonyms when you
look at RequireJS code.
So we’ve added some configuration, but what does it do? First, we provide a baseUrl path. This
isn’t really necessary in our case (since we’re using the same path as the default), but I find it helps
with clarity: since all the other paths indicated in the file will be defined relative to the baseUrl, it’s
practical to have it explicitly defined on the same page.
Next, we’ve added a paths¹³ object to specify paths that aren’t directly under the baseUrl path. This
allows us to create a “jquery” key to use when requiring the library, and RequireJS will know it
should be loaded from the vendor/jquery location.
¹³http://requirejs.org/docs/api.html#config-paths
Getting Started 6
By using path fallbacks¹⁵, you can easily load libraries from CDNs and default to using a
local version should the CDN be unavailable.
With this configuration in place, we can now simply require “jquery” and RequireJS will know where
to look. In addition, note that RequireJS will provide the array of dependencies as arguments to the
callback function: in the code above, we have the “jquery” dependency assigned to the jq variable,
which allows us to then call jq.fn.jquery to get jQuery’s version number. As you can tell from the
console output, using the provided callback argument is equivalent to using the global $ variable.
JQuery’s case is a bit special, so let’s talk about it a bit. Ever since version 1.7, jQuery is
AMD-compatible meaning that it can be loaded with a module loader such as RequireJS.
In that case, the module loader will receive a reference to jQuery which can be used in
the callback function. All of this happens in addition to jQuery’s registering the global $
variable.
However, with most other modules and libraries, no global variables will be registered.
That’s one of the objectives when using RequireJS: don’t register objects in the global
namespace, and require the ones you need instead, passing them into the callback function.
Using Shims
We’ve seen how to load an AMD-compatible library (namely, jQuery), so let’s move on to loading
one that is not compatible with AMD: Underscore. By using the new shim object in RequireJS, we
can still load AMD-incompatible scripts with RequireJS: all we need to do is provide a little more
information. Here we go:
¹⁴http://requirejs.org/docs/api.html#config-paths
¹⁵http://requirejs.org/docs/api.html#pathsfallbacks
Getting Started 7
assets/js/require_main.js
1 requirejs.config({
2 baseUrl: "assets/js",
3 paths: {
4 jquery: "vendor/jquery",
5 underscore: "vendor/underscore"
6 },
7
8 shim: {
9 underscore: {
10 exports: "_"
11 }
12 }
13 });
14
15 require(["underscore", "jquery"], function(un){
16 console.log("jQuery version: ", $.fn.jquery);
17 console.log("underscore identity call: ", _.identity(5));
18 console.log("underscore identity call: ", un.identity(5));
19 });
First, we indicate where Underscore is located (line 5). With that done, we add the “underscore”
key to the shim object and indicate that it should return the value of the “_” global to the callback
function. Notice that, thanks to the shim, we have access to both the global “_” value (line 17) and
the un callback value (line 18). If we hadn’t used a shim, we wouldn’t be able to use the un callback
value, only the “_” global.
Since writing this, Underscore, Marionette, etc. have become AMD-compatible : they will
work as expected without requiring shims. The code is left as is for educational purposes,
as you will likely deal with external libraries that will require shims at some point.
How come we require 2 files, but have only one callback argument? Because we only
explicitly state the callback arguments we’re going to be using (and for which we need
a variable to reference). So why bother having the “jquery” as a dependency? Because
even though we’re not using an explicit callback argument value, we know that within the
callback function jQuery has been loaded and can be used via the global $ variable. This is
due to jQuery’s particularity of registering a global variable we can reference: there’s no
need to use a callback argument.
assets/js/require_main.js
1 requirejs.config({
2 baseUrl: "assets/js",
3 paths: {
4 backbone: "vendor/backbone",
5 jquery: "vendor/jquery",
6 json2: "vendor/json2",
7 underscore: "vendor/underscore"
8 },
9
10 shim: {
11 underscore: {
12 exports: "_"
13 },
14 backbone: {
15 deps: ["jquery", "underscore", "json2"],
16 exports: "Backbone"
17 }
18 }
19 });
20
21 require(["backbone"], function(bb){
22 console.log("jQuery version: ", $.fn.jquery);
23 console.log("underscore identity call: ", _.identity(5));
24 console.log("Backbone.history: ", bb.history);
25 });
Naturally, we need to tell RequireJS where to find the various files so we’ve had to add paths for
Backbone (line 4) and JSON2 (line 6).
With that configuration set up, we can require Backbone on line 21 and use it within the callback
function. But how come we can still use jQuery and Underscore without requiring them (lines 22-23)?
Because of the dependency tree: Backbone depends on those libraries (see above), so once Backdone
Getting Started 9
and its dependencies have been loaded we have access to jQuery and Underscore via their global
variables (since they’re both Backbone dependencies). RequireJS magic in action!
Try adding Marionette to require_main.js on your own, then check below. Things to
remember:
assets/js/require_main.js
1 requirejs.config({
2 baseUrl: "assets/js",
3 paths: {
4 backbone: "vendor/backbone",
5 jquery: "vendor/jquery",
6 json2: "vendor/json2",
7 marionette: "vendor/backbone.marionette",
8 underscore: "vendor/underscore"
9 },
10
11 shim: {
12 underscore: {
13 exports: "_"
14 },
15 backbone: {
16 deps: ["jquery", "underscore", "json2"],
17 exports: "Backbone"
18 },
19 marionette: {
20 deps: ["backbone"],
21 exports: "Marionette"
22 }
23 }
24 });
25
26 require(["marionette"], function(bbm){
27 console.log("jQuery version: ", $.fn.jquery);
28 console.log("underscore identity call: ", _.identity(5));
29 console.log("Marionette: ", bbm);
30 });
Adding Marionette is pretty straightforward, as it’s no different from adding Backbone. However,
do note that since Marionette depends on Backbone, we don’t need to specify that it also depends
(e.g.) on Underscore: RequireJS will load Undercore, then Backbone, then Marionette, due to the
dependency relationships we’ve indicated in the config method.
¹⁶https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/218e693c31d8e69376a68429e617b4b339fcf58c
Loading the Main App
Now that we understand the basics about how RequireJS works, let’s use it to require our Contact
Manager application and start it. We’ll start with a very basic app file, to give us a first taste of
defining and working with RequireJS modules. You should already have a file in assets/js/app.js, so
save it elsewhere, or just overwrite it. We don’t need it yet, but we’ll be using it soon enough. Here’s
our basic application:
assets/js/app.js
This code should be obvious to you. If not I suggest you read my book introducing
Marionette¹⁷.
All our app does for now is print a message to the console once it has started, which is enough to
start working with RequireJS. So now what? To be able to use our Contact Manager application as
a dependency, we’ll need to define it as a RequireJS module. In simple terms, a RequireJS module
indicates the required dependencies, and returns a value to be used in the callback function provided
to a require call.
Discovering Modules
If you look at our simple code above, you can see that we’re going to need access to Marionette. In
addition, we’re going to need access to ContactManager in many places in our application, e.g. to
define modules. Here’s what our Contact Manager looks like as a RequireJS module:
¹⁷https://leanpub.com/marionette-gentle-introduction
Loading the Main App 12
assets/js/app.js
1 define(["marionette"], function(Marionette){
2 var ContactManager = new Marionette.Application();
3
4 ContactManager.on("start", function(){
5 console.log("Contact Manager has started");
6 });
7
8 return ContactManager;
9 });
The only modifications we’ve added are the call to define on line 1, and returning the reference to
our application on line 8. Now, let’s return to our require_main.js file, to require and start our app:
assets/js/require_main.js
1 requirejs.config({
2 // edited for brevity
3 });
4
5 require(["app"], function(ContactManager){
6 ContactManager.start();
7 });
As explained earlier, we’re requiring the main application’s file (which evaluates to assets/js/app.js
due to the baseUrl value), which we receive in the provided callback. We can then start the
application as usual. There is a major difference with RequireJS, however: ContactManager is no
longer a global variable, and can be accessed only via requiring the main application.
What about debugging? If we type ContactManager in the console, we won’t have a usable
reference to our application. So how can we debug our code? We simply need to require it,
like so:
After that, the ContactManager variable will point to our application instance.
assets/js/app.js
assets/js/app.js
1 define(["marionette"], function(Marionette){
2 var ContactManager = new Marionette.Application();
3
4 ContactManager.navigate = function(route, options){
5 options || (options = {});
6 Backbone.history.navigate(route, options);
7 };
8
9 ContactManager.getCurrentRoute = function(){
10 return Backbone.history.fragment
11 };
12
13 ContactManager.on("before:start", function(){
14 var RegionContainer = Marionette.LayoutView.extend({
15 // edited for brevity
16 });
17
18 ContactManager.regions = new RegionContainer();
19 ContactManager.regions.dialog.onShow = function(view){
20 // edited for brevity
21 };
22 });
23
24 ContactManager.on("start", function(){
25 console.log("Contact Manager has started");
26 if(Backbone.history){
27 Backbone.history.start();
28
29 if(this.getCurrentRoute() === ""){
30 ContactManager.trigger("contacts:list");
31 }
32 }
33 });
34
35 return ContactManager;
36 });
We’ve simply added the code at the beginning and end to turn it into a module, and we’ve also added
a console message on line 25. When we refresh the page, we can see our message in the console.
Loading the Main App 15
¹⁸https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/4401d850d04825d145b147d940fc77c9758b3be7
Listing Contacts
So far, we’ve got our main app starting properly and displaying a message in the console. In this
chapter, we’ll work on getting our list of contacts displayed. The first thing we need to do is turn
our contacts entity into a module.
When rewriting an existing application to use RequireJS, it’s important to structure your approach
based on the dependency tree, and to work in as small increments as possible. This allows you to
check your reimplemententation with less new code, and allows you to track down issues much
more efficiently. Naturally, this is an established best practice but it takes on particular importance
when working with RequireJS: trying to determine why certain libraries won’t load properly after
a huge diff is not enjoyable.
With that in mind, here’s how we will approach this iteration:
1. Define modules for our contact entity, and make sure it’s working properly (from the console);
2. Require the module from the main app file, and check we can work with it properly when
loading it as a dependency;
3. Ensure we can obtain the contacts from the “list” controller;
4. Display the contact within views;
5. Using RequireJS to load the view templates.
Let’s get started: first, you need to make a module out of our configuration for localstorage
use (at assets/js/apps/config/storage/localstorage.js). Don’t forget that this module will
depend on the Backbone.localstorage plugin, and that in turn the plugin depends on
Backbone.
You can see the solution on the next page.
Listing Contacts 17
assets/js/require_main.js
1 requirejs.config({
2 baseUrl: "assets/js",
3 paths: {
4 // edited for brevity
5 localstorage: "vendor/backbone.localstorage",
6 // edited for brevity
7 },
8
9 shim: {
10 // edited for brevity
11 marionette: {
12 // edited for brevity
13 },
14 localstorage: ["backbone"]
15 }
16 });
17
18 require(["app"], function(ContactManager){
19 ContactManager.start();
20 });
Don’t forget commas when adding attributes (e.g. after line 13)
With the plugin now accessible via the “localstorage” key, let’s convert our storage configuration
code into a RequireJS module:
assets/js/apps/config/storage/localstorage.js
1 define(["app", "localstorage"], function(ContactManager){
2 ContactManager.module("Entities", function(Entities, ContactManager,
3 Backbone, Marionette, $, _){
4 // edited for brevity
5 });
6
7 return ContactManager.Entities.configureStorage;
8 });
And now, we can also turn our contact entity into a module:
Listing Contacts 18
assets/js/entities/contact.js
Note that the code above doesn’t exactly conform the RequireJS best practice of “one
module per file” (see here¹⁹). The cleanest way to proceed would be to define one module for
the Contact model, and another for the ContactCollection collection (which would have
the “contact” module as a dependency). These modules would return the defined model or
collection, respectively.
Why aren’t we doing that? Well, we’re simplifying our dependency tree somewhat since
the Contacts collection doesn’t need to depend on the the Contact model: they’re both in
the same Marionette module. In addition, don’t forget we need our “contact:entity” and
“contact:entities” handlers to be registered before we can use them in our application. This
means that RequireJS needs to load them, and it’s easier to just have everything in one
place (model, collection, event handlers). And, last but not least, we are going to interact
with our contact entities using the request-response mechanism, so there’s no need for us
to have an explicit reference to the model or collection.
In our case, we’re using a single module to define 2 separate things (a model and a
collection), so there’s really no clear return value to provide as the module return value.
We still include a return statement for clarity (indicating we haven’t forgotten the return
value, we’re returning “nothing”). How will this code be functional? Because we simply
need it to be loaded: we’re not going to access the contact entities by explicit reference,
we’re going to request their values via Marionette’s request-response mechanism so we
have no need for a “usable” return value.
So far, so good, let’s verify our contact entity module works, by executing the following code in the
console:
¹⁹http://requirejs.org/docs/api.html#modulenotes
Listing Contacts 19
After executing that code, we can see our contacts listed in the console. Success!
assets/js/app.js
We refresh the page, and boom! An error: “TypeError: ContactManager is undefined” in file
localstorage.js. Why is this happening? Let’s think about how RequireJS is traversing the dependency
tree:
So if we summarize the situation (and skip extra steps), we have the following situation:
• app.js needs localstorage.js (via the dependency tree: steps 2 and 3 above)
• localstorage.js needs app.js (as a direct dependency: step 4 above)
Which is a ciruclar depency²⁰: 2 modules depend on one another, so they don’t load properly.
The error message basically indicates that the ContactManager module can’t be loaded in the
localstorage.js file (due to the circular dependency) so an undefined return value gets assigned to
the callback argument. Circular dependencies can be thought of visually like this²¹:
How do we fix this situation? Push the dependency requirements as far down as possible (i.e. as
close as possible to where they are needed). In fact, the only depencies that should be listed in the
module definition are those without which the module can’t function, even momentarily. In most
cases, the only such dependency will be the main app (so we can execute the module definition
function). With that in mind, here’s our rewritten main app:
²⁰http://requirejs.org/docs/api.html#circular
²¹Illustration from http://csunplugged.org/routing-and-deadlock
Listing Contacts 21
assets/js/app.js
1 define(["marionette"], function(Marionette){
2 var ContactManager = new Marionette.Application();
3
4 // edited for brevity
5
6 ContactManager.on("start", function(){
7 require(["entities/contact"], function(){
8 var fetchingContacts = ContactManager.request("contact:entities");
9 $.when(fetchingContacts).done(function(contacts){
10 console.log(contacts);
11 });
12 });
13
14 if(Backbone.history){
15 Backbone.history.start();
16
17 if(this.getCurrentRoute() === ""){
18 ContactManager.trigger("contacts:list");
19 }
20 }
21 });
22
23 return ContactManager;
24 });
We’ve removed the dependency from the module definition, and we simply require our contacts
where we need them (namely, on line 7). Now, when we refresh we can see our contacts in the
console output.
Note that since we’re progressing in short iterations, it was relatively straightforward to
pinpoint the issue plaguing our code. Debugging this type of problem with lots of new
code would have been more time intensive, as the error message regarding the circular
dependency isn’t particularly explicit. So keep your code diffs small!
assets/js/app.js
1 ContactManager.on("start", function(){
2 if(Backbone.history){
3 Backbone.history.start();
4
5 if(this.getCurrentRoute() === ""){
6 ContactManager.trigger("contacts:list");
7 }
8 }
9 });
Next, we’ll start with a basic controller for our List sub-application:
assets/js/apps/contacts/list/list_controller.js
Turn the code above into a module. Don’t forget to add the dependency on the contact
entity module in the proper place.
You can see the solution on the next page.
Listing Contacts 23
assets/js/apps/contacts/list/list_controller.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("ContactsApp.List", function(List, ContactManager,
3 Backbone, Marionette, $, _){
4 List.Controller = {
5 listContacts: function(){
6 require(["entities/contact"], function(){
7 var fetchingContacts = ContactManager.request("contact:entities");
8
9 $.when(fetchingContacts).done(function(contacts){
10 console.log(contacts);
11 });
12 });
13 }
14 }
15 });
16
17 return ContactManager.ContactsApp.List.Controller;
18 });
Notice that we’re sticking to our guidelines: only app is listed as a module depency (since otherwise
the module wouldn’t work at all), and we’ve required entities/contact only where it’s needed (lines
6-12).
Finally, let’s write a basic main file for our Contacts sub-app:
assets/js/apps/contacts/contacts_app.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("ContactsApp", function(ContactsApp, ContactManager,
3 Backbone, Marionette, $, _){
4 ContactsApp.Router = Marionette.AppRouter.extend({
5 appRoutes: {
6 "contacts": "listContacts"
7 }
8 });
9
10 var API = {
11 listContacts: function(criterion){
12 require(["apps/contacts/list/list_controller"], function(ListController){
13 ListController.listContacts(criterion);
Listing Contacts 24
14 });
15 }
16 };
17
18 ContactManager.on("contacts:list", function(){
19 ContactManager.navigate("contacts");
20 API.listContacts();
21 });
22
23 ContactsApp.on("start", function(){
24 new ContactsApp.Router({
25 controller: API
26 });
27 });
28 });
29
30 return ContactManager.ContactsApp;
31 });
And again, only app is listed as a module depency, while we require apps/contacts/list/list_controller
only for lines 12-14 where it’s actually needed.
Note that on line 11, we’re passing the criterion argument that was in the original code,
even though we won’t be using it yet. At this point the criterion isn’t yet parsed from any
route, so its value will simply be undefined for now.
With all these pieces in place, we can take the final step to wire everything up: requiring the main
Contacts file. Each sub-app needs to be required by the main application’s file, before Backbone’s
History object is started. This is because the routing controllers for the sub-applications need to
be active before Backbone routing is activated. That way, by the time Backbone starts processing
routing events (e.g. parsing the URL fragment in the current URL), the sub-applications are ready to
react and route to the proper action. So let’s require the Contacts app before starting the History:
Listing Contacts 25
app.js
1 ContactManager.on("start", function(){
2 if(Backbone.history){
3 require(["apps/contacts/contacts_app"], function () {
4 Backbone.history.start();
5
6 if(ContactManager.getCurrentRoute() === ""){
7 ContactManager.trigger("contacts:list");
8 }
9 });
10 }
11 });
Note that due to the change in scope, we’ve change this on line 6 to ContactManager. If we refresh
our page, we can see the contacts are properly dumped to the console. Great!
Although our “contacts” module provides a return value, but we’re not referencing it
because we don’t need direct access to it: we simply need it to be loaded.
index.html
1 <!DOCTYPE html>
2 <html lang="en">
3 <head>
4 <meta charset="utf-8">
5 <title>Marionette Contact Manager</title>
6 <link href="./assets/css/bootstrap.css" rel="stylesheet">
7 <link href="./assets/css/application.css" rel="stylesheet">
8 <link href="./assets/css/jquery-ui-1.10.3.custom.css" rel="stylesheet">
9 </head>
10
11 <body>
12 <div id="app-container">
13 <div id="header-region"></div>
Listing Contacts 26
56
57 <script type="text/template" id="contact-list-layout">
58 <div id="panel-region"></div>
59 <div id="contacts-region"></div>
60 </script>
61
62 <script type="text/template" id="contact-list-panel">
63 <button class="btn btn-primary js-new">New contact</button>
64 <form class="form-search form-inline pull-right">
65 <div class="input-append">
66 <input type="text" class="span2 search-query js-filter-criterion">
67 <button type="submit" class="btn js-filter">Filter contacts</button>
68 </div>
69 </form>
70 </script>
71
72 <script data-main="./assets/js/require_main.js"
73 src="./assets/js/vendor/require.js"></script>
74 </body>
75 </html>
As you can see on lines 22-70, we’ve simply included the relevant templates from the original
application. Then, we need to turn our view code into a module. To do so, we’re going to change
the original code somewhat: we’ll have a separate Marionette module to hold our views. This will
enable us to have an explicit return value for the module, and will conform to the “one module per
file” maxim:
assets/js/apps/contacts/list/list_view.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("ContactsApp.List.View", function(View, ContactManager,
3 Backbone, Marionette, $, _){
4 View.Layout = Marionette.LayoutView.extend({
5 template: "#contact-list-layout",
6
7 regions: {
8 panelRegion: "#panel-region",
9 contactsRegion: "#contacts-region"
10 }
11 });
12
13 View.Panel = Marionette.ItemView.extend({
14 template: "#contact-list-panel",
Listing Contacts 28
15
16 triggers: {
17 "click button.js-new": "contact:new"
18 },
19
20 events: {
21 "click button.js-filter": "filterClicked"
22 },
23
24 ui: {
25 criterion: "input.js-filter-criterion"
26 },
27
28 filterClicked: function(){
29 var criterion = this.$(".js-filter-criterion").val();
30 this.trigger("contacts:filter", criterion);
31 },
32
33 onSetFilterCriterion: function(criterion){
34 $(this.ui.criterion).val(criterion);
35 }
36 });
37
38 View.Contact = Backbone.Marionette.ItemView.extend({
39 tagName: "tr",
40 template: "#contact-list-item",
41
42 triggers: {
43 "click td a.js-show": "contact:show",
44 "click td a.js-edit": "contact:edit",
45 "click button.js-delete": "contact:delete"
46 },
47
48 events: {
49 "click": "highlightName"
50 },
51
52 flash: function(cssClass){
53 var $view = this.$el;
54 $view.hide().toggleClass(cssClass).fadeIn(800, function(){
55 setTimeout(function(){
56 $view.toggleClass(cssClass)
Listing Contacts 29
57 }, 500);
58 });
59 },
60
61 highlightName: function(e){
62 this.$el.toggleClass("warning");
63 },
64
65 remove: function(){
66 this.$el.fadeOut(function(){
67 $(this).remove();
68 });
69 }
70 });
71
72 var NoContactsView = Backbone.Marionette.ItemView.extend({
73 template: "#contact-list-none",
74 tagName: "tr",
75 className: "alert"
76 });
77
78 View.Contacts = Backbone.Marionette.CompositeView.extend({
79 tagName: "table",
80 className: "table table-hover",
81 template: "#contact-list",
82 emptyView: NoContactsView,
83 childView: View.Contact,
84 childViewContainer: "tbody",
85
86 initialize: function(){
87 this.listenTo(this.collection, "reset", function(){
88 this.attachHtml = function(collectionView, childView, index){
89 collectionView.$el.append(childView.el);
90 }
91 });
92 },
93
94 onRenderCollection: function(){
95 this.attachHtml = function(collectionView, childView, index){
96 collectionView.$el.prepend(childView.el);
97 }
98 }
Listing Contacts 30
99 });
100 });
101
102 return ContactManager.ContactsApp.List.View;
103 });
• require the RequireJS module containing the views it needs from the assets/js/apps/contact-
s/list/list_view.js file;
• return the ContactManager.ContactsApp.List.Controller value.
assets/js/apps/contacts/list/list_controller.js
23 function(childView, args){
24 args.model.destroy();
25 });
26
27 ContactManager.regions.main.show(contactsListLayout);
28 });
29 });
30 }
31 }
32 });
33
34 return ContactManager.ContactsApp.List.Controller;
35 });
As you can see, we’re declaring our module depends on the views, and we’re returning the module
at the end. And now, if we refresh the page, we finally have something to display!
Before we consider ourselves done with displaying the contacts collection, let’s clean up our code
a bit more. We’re using RequireJS to load dependencies, and templates are a depency for the view,
right? Let’s use RequireJS to load the view templates, so we can remove them from the index.html.
First, we need a template loader, which we can get here²² and save in assets/js/vendor/underscore-
tpl.js. As the template loader depends on RequireJs’s text loader, get it from here²³ and save it in
assets/js/vendor/text.js. Then, we need to tell RequireJS about these additions (lines 9-10 and line
17):
²²https://raw.githubusercontent.com/dciccale/requirejs-underscore-tpl/master/underscore-tpl.js
²³https://raw.githubusercontent.com/requirejs/text/master/text.js
Listing Contacts 32
require_main.js
1 requirejs.config({
2 baseUrl: "assets/js",
3 paths: {
4 backbone: "vendor/backbone",
5 jquery: "vendor/jquery",
6 json2: "vendor/json2",
7 localstorage: "vendor/backbone.localstorage",
8 marionette: "vendor/backbone.marionette",
9 text: "vendor/text",
10 tpl: "vendor/underscore-tpl",
11 underscore: "vendor/underscore"
12 },
13
14 shim: {
15 // edited for brevity
16 localstorage: ["backbone"],
17 tpl: ["text"]
18 }
19 });
20
21 require(["app"], function(ContactManager){
22 ContactManager.start();
23 });
Now, we can save our templates to independent files, and require them with the view file. In addition
to allowing us to save each template in its own file, we no longer need HTML identifiers, because
we are going to directly provide compiled templates to our views.
So let’s start by moving all of our templates to separate files within a templates sub-folder.
assets/js/apps/contacts/list/templates/layout.tpl
1 <div id="panel-region"></div>
2 <div id="contacts-region"></div>
Listing Contacts 33
assets/js/apps/contacts/list/templates/panel.tpl
assets/js/apps/contacts/list/templates/list.tpl
1 <thead>
2 <tr>
3 <th>First Name</th>
4 <th>Last Name</th>
5 <th></th>
6 </tr>
7 </thead>
8 <tbody>
9 </tbody>
assets/js/apps/contacts/list/templates/list_item.tpl
assets/js/apps/contacts/list/templates/none.tpl
With the templates ready, let’s modify our list_view.js file to use compiled templates as dependencies:
assets/js/apps/contacts/list/list_view.js
1 define(["app",
2 "tpl!apps/contacts/list/templates/layout.tpl",
3 "tpl!apps/contacts/list/templates/panel.tpl",
4 "tpl!apps/contacts/list/templates/none.tpl",
5 "tpl!apps/contacts/list/templates/list.tpl",
6 "tpl!apps/contacts/list/templates/list_item.tpl"],
7 function(ContactManager, layoutTpl, panelTpl,
8 noneTpl, listTpl, listItemTpl){
9 ContactManager.module("ContactsApp.List.View", function(View, ContactManager,
10 Backbone, Marionette, $, _){
11 View.Layout = Marionette.LayoutView.extend({
12 template: layoutTpl,
13
14 regions: {
15 panelRegion: "#panel-region",
16 contactsRegion: "#contacts-region"
17 }
18 });
19
20 View.Panel = Marionette.ItemView.extend({
21 template: panelTpl,
22
23 triggers: {
24 "click button.js-new": "contact:new"
25 },
26
27 events: {
28 "click button.js-filter": "filterClicked"
29 },
30
31 ui: {
32 criterion: "input.js-filter-criterion"
33 },
34
35 filterClicked: function(){
Listing Contacts 35
78
79 var NoContactsView = Backbone.Marionette.ItemView.extend({
80 template: noneTpl,
81 tagName: "tr",
82 className: "alert"
83 });
84
85 View.Contacts = Backbone.Marionette.CompositeView.extend({
86 tagName: "table",
87 className: "table table-hover",
88 template: listTpl,
89 emptyView: NoContactsView,
90 childView: View.Contact,
91 childViewContainer: "tbody",
92
93 initialize: function(){
94 this.listenTo(this.collection, "reset", function(){
95 this.attachHtml = function(collectionView, childView, index){
96 collectionView.$el.append(childView.el);
97 }
98 });
99 },
100
101 onRenderCollection: function(){
102 this.attachHtml = function(collectionView, childView, index){
103 collectionView.$el.prepend(childView.el);
104 }
105 }
106 });
107 });
108
109 return ContactManager.ContactsApp.List.View;
110 });
This approach can also be implemented with other template types, provided you have
the right RequireJS template loader plugin. For example, a template loader plugin for
handlebars can be found here²⁴.
And of course, we remove our templates from the index.html to return it back to normal:
²⁴https://github.com/SlexAxton/require-handlebars-plugin
Listing Contacts 37
index.html
1 <!DOCTYPE html>
2 <html lang="en">
3 <head>
4 <meta charset="utf-8">
5 <title>Marionette Contact Manager</title>
6 <link href="./assets/css/bootstrap.css" rel="stylesheet">
7 <link href="./assets/css/application.css" rel="stylesheet">
8 <link href="./assets/css/jquery-ui-1.10.3.custom.css" rel="stylesheet">
9 </head>
10
11 <body>
12 <div id="app-container">
13 <div id="header-region"></div>
14 <div id="main-region" class="container">
15 <p>Here is static content in the web page. You'll notice that it gets
16 replaced by our app as soon as we start it.</p>
17 </div>
18
19 <div id="dialog-region"></div>
20 </div>
21
22 <script data-main="./assets/js/require_main.js"
23 src="./assets/js/vendor/require.js"></script>
24 </body>
25 </html>
When we refresh the page, our contacts are still displayed properly, but our code is much more
modular. Success!
²⁵https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/336c2481f3f70ca9ca1ec30fb58425a8ae4088bb
Editing Contacts with a Modal
Let’s continue adding functionality to our “list” view, by enabling users to edit contacts from a modal
window.
The first thing we want, is our application to react when the “edit” button is clicked (lines 8-10):
assets/js/apps/contacts/list/list_controller.js
When we refresh the page and click an “edit” button, we can see our message in the console. Great,
now let’s display the modal window, using the original code:
Editing Contacts with a Modal 39
assets/js/apps/contacts/list/list_controller.js
If we click an “edit” button after refreshing, we’ll have an error: “TypeError: ContactMan-
ager.ContactsApp.Edit is undefined”, due to line 2 in the code above. Why? Because we haven’t
required our view before trying to instantiate it!
Naturally, before we can include the “edit” view, we need to turn it into a module. Here we go:
assets/js/apps/contacts/edit/edit_view.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("ContactsApp.Edit.View", function(View, ContactManager,
3 Backbone, Marionette, $, _){
4 View.Contact = ContactManager.ContactsApp.Common.Views.Form.extend({
5 initialize: function(){
6 this.title = "Edit " + this.model.get("firstName");
7 this.title += " " + this.model.get("lastName");
8 },
9
10 onRender: function(){
11 if(this.options.generateTitle){
12 var $title = $("<h1>", { text: this.title });
13 this.$el.prepend($title);
Editing Contacts with a Modal 40
14 }
15
16 this.$(".js-submit").text("Update contact");
17 }
18 });
19 });
20
21 return ContactManager.ContactsApp.Edit.View;
22 });
Don’t forget to adapt the original code: we’re now using the View sub-module (line 2)
instead of the Edit sub-module.
Now that we’ve got our edit view in a module, let’s require it in our list controller:
assets/js/apps/contacts/list/list_controller.js
So now let’s refresh our page and try the “edit” button again. Boom, another error: “TypeError:
ContactManager.ContactsApp.Common is undefined” in the edit_view.js file. If we look at this file,
Editing Contacts with a Modal 41
we can see the edit modal view extends from the common form view (line 4 in code listing above
for edit_view.js). So clearly, this common form view should be a dependency in our module and we
should fix it:
So let’s try our “edit” button again. This time, we get 2 errors:
Our edit_view.js file is actually fine: the problem we have is that we’re requiring apps/contacts/com-
mon/views.js without converting it to a RequireJS module. In fact our views.js currently looks like
this:
Editing Contacts with a Modal 42
apps/contacts/common/views.js
So when RequireJS loads this file, it tries to call the ContactManager.module method. But since
we’re using RequireJS, we don’t have a globally defined ContactManager Marionette application,
so that fails and causes our first error. And since we weren’t able to declare a new “ContactMan-
ager.ContactsApp.Common.Views” module (which would create the “Common” parent module if
necessary), we get our second error in edit_view.js when trying to run this line of code:
Edit.Contact = ContactManager.ContactsApp.Common.Views.Form.extend({...});
Now that we have a better grasp of the errors raised by RequireJS, let’s fix them.
assets/js/apps/contacts/common/templates/form.tpl
1 <form>
2 <div class="control-group">
3 <label for="contact-firstName" class="control-label">First name:</label>
4 <input id="contact-firstName" name="firstName"
5 type="text" value="<%- firstName %>"/>
6 </div>
7 <div class="control-group">
8 <label for="contact-lastName" class="control-label">Last name:</label>
9 <input id="contact-lastName" name="lastName"
10 type="text" value="<%- lastName %>"/>
11 </div>
12 <div class="control-group">
13 <label for="contact-phoneNumber" class="control-label">Phone number:</label>
14 <input id="contact-phoneNumber" name="phoneNumber"
15 type="text" value="<%- phoneNumber %>"/>
16 </div>
17 <button class="btn js-submit">Save</button>
18 </form>
And now, we’ll turn our common form view into a module:
apps/contacts/common/views.js
1 define(["app", "tpl!apps/contacts/common/templates/form.tpl"],
2 function(ContactManager, formTpl){
3 ContactManager.module("ContactsApp.Common.Views", function(Views,
4 ContactManager, Backbone, Marionette, $, _){
5 Views.Form = Marionette.ItemView.extend({
6 template: formTpl,
7
8 events: {
9 "click button.js-submit": "submitClicked"
10 },
11
12 submitClicked: function(e){
13 e.preventDefault();
14 var data = Backbone.Syphon.serialize(this);
15 this.trigger("form:submit", data);
16 },
Editing Contacts with a Modal 44
17
18 onFormDataInvalid: function(errors){
19 var $view = this.$el;
20
21 var clearFormErrors = function(){
22 var $form = $view.find("form");
23 $form.find(".help-inline.error").each(function(){
24 $(this).remove();
25 });
26 $form.find(".control-group.error").each(function(){
27 $(this).removeClass("error");
28 });
29 }
30
31 var markErrors = function(value, key){
32 var $controlGroup = $view.find("#contact-" + key).parent();
33 var $errorEl = $("<span>", { class: "help-inline error",
34 text: value });
35 $controlGroup.append($errorEl).addClass("error");
36 }
37
38 clearFormErrors();
39 _.each(errors, markErrors);
40 }
41 });
42 });
43
44 return ContactManager.ContactsApp.Common.Views;
45 });
Now, if we refresh and click “edit”, we STILL don’t see our modal window rendered properly. Instead,
we get an error: “TypeError: this.$el.dialog is not a function”. This is because when we’re configuring
our dialog region in app.js, we’re not requiring jQuery UI which handles the model behavior. Let’s
get around to that…
assets/js/require_main.js
1 requirejs.config({
2 baseUrl: "assets/js",
3 paths: {
4 backbone: "vendor/backbone",
5 jquery: "vendor/jquery",
6 "jquery-ui": "vendor/jquery-ui",
7 // edited for brevity
8 },
9
10 shim: {
11 // edited for brevity
12 marionette: {
13 deps: ["backbone"],
14 exports: "Marionette"
15 },
16 "jquery-ui": ["jquery"],
17 localstorage: ["backbone"],
18 tpl: ["text"]
19 }
20 });
21
22 require(["app"], function(ContactManager){
23 ContactManager.start();
24 });
assets/js/app.js
1 define(["marionette", "jquery-ui"], function(Marionette){
2 var ContactManager = new Marionette.Application();
3
4 // edited for brevity
5
6 ContactManager.on("before:start", function(){
7 var RegionContainer = Marionette.LayoutView.extend({
8 // edited for brevity
9 });
10
11 ContactManager.regions = new RegionContainer();
12 ContactManager.regions.dialog.onShow = function(view){
13 var self = this;
14 var closeDialog = function(){
15 self.stopListening();
16 self.empty();
17 self.$el.dialog("destroy");
18 };
19
20 this.listenTo(view, "dialog:close", closeDialog);
21
22 this.$el.dialog({
23 modal: true,
24 title: view.title,
25 width: "auto",
26 close: function(e, ui){
27 closeDialog();
28 }
29 });
30 };
31 });
32
33 ContactManager.on("start", function(){
34 // edited for brevity
35 });
36
37 return ContactManager;
38 });
On the first line, note that we’re requiring jQuery UI, but aren’t using the value within the callback
function’s arguments. This is because we need jQuery UI to be present (for the calls to dialog on
Editing Contacts with a Modal 47
lines 17 and 22), but there’s no explicit call to jQuery UI within the code. In contrast, we need a
reference to Marionette, because we explicitly use it on line 2.²⁶
Now, if we refresh and click “edit”, we FINALLY see our modal window. But if we change a contact’s
name and click “Update contact”, we get an error: “TypeError: Backbone.Syphon is undefined”…
²⁶Note that this isn’t technically true: we’re using the standard Marionette build, which registers a global Marionette reference.
Editing Contacts with a Modal 48
Naturally, the solution is to add Backbone.Syphon to our require_main.js file, and declare it as a
dependency for our common contact form.
Expliciting Dependencies
Note that the module we’ve defined in apps/contacts/common/views.js returns the module definition.
Therefore, we can adapt our code in assets/js/apps/contacts/edit/edit_view.js to take advantage of
that fact.
Original assets/js/apps/contacts/edit/edit_view.js
Improved assets/js/apps/contacts/edit/edit_view.js
1 define(["app", "apps/contacts/common/views"],
2 function(ContactManager, CommonViews){
3 ContactManager.module("ContactsApp.Edit", function(Edit, ContactManager,
4 Backbone, Marionette, $, _){
5 Edit.Contact = CommonViews.Form.extend({
6 // edited for brevity
7 });
8 });
9 });
Here, we’ve made use of the module definition’s return value on line 2, and used it on line 5. Our
app worked fine before, so why are we changing this? It makes dependcies obvious: in the second
version, you can clearly see that the Form we’re using is defined in the CommonViews module from
file apps/contacts/common/views.js. But both code versions are functionally equivalent, and neither
introduces any global variables (thanks to our using Marionette modules to encapsulate everything).
Ultimately, the version you chose will come down to personal taste.
²⁷https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/0ea257971ddb007951dba677c4e856285096e797
Creating Contacts with a Modal
Implement the required functionality so users can create new contacts. You’ll find the
solution below.
Exercise Solution
First, we need to refactor our “new” view into a RequireJS module:
assets/js/apps/contacts/new/new_view.js
1 define(["app", "apps/contacts/common/views"],
2 function(ContactManager, CommonViews){
3 ContactManager.module("ContactsApp.New.View", function(View, ContactManager,
4 Backbone, Marionette, $, _){
5 View.Contact = CommonViews.Form.extend({
6 title: "New Contact",
7
8 onRender: function(){
9 this.$(".js-submit").text("Create contact");
10 }
11 });
12 });
13
14 return ContactManager.ContactsApp.New.View;
15 });
Then, we can restore the original behavior in the list controller, without forgetting to require the
“new” view (line 7):
Creating Contacts with a Modal 51
assets/js/apps/contacts/list/list_controller.js
1 contactsListLayout.on("show", function(){
2 contactsListLayout.panelRegion.show(contactsListPanel);
3 contactsListLayout.contactsRegion.show(contactsListView);
4 });
5
6 contactsListPanel.on("contact:new", function(){
7 require(["apps/contacts/new/new_view"], function(NewView){
8 var newContact = new ContactManager.Entities.Contact();
9
10 var view = new NewView.Contact({
11 model: newContact
12 });
13
14 view.on("form:submit", function(data){
15 if(contacts.length > 0){
16 var highestId = contacts.max(function(c){ return c.id; }).get("id");
17 data.id = highestId + 1;
18 }
19 else{
20 data.id = 1;
21 }
22 if(newContact.save(data)){
23 contacts.add(newContact);
24 view.trigger("dialog:close");
25 var newContactView = contactsListView.children.findByModel(newContact);
26 if(newContactView){
27 newContactView.flash("success");
28 }
29 }
30 else{
31 view.triggerMethod("form:data:invalid", newContact.validationError);
32 }
33 });
34
35 ContactManager.regions.dialog.show(view);
36 });
37 });
38
39 contactsListView.on("childview:contact:edit", function(childView, args){
40 // edited for brevity
41 });
Creating Contacts with a Modal 52
Now when we click on “New contact” after refreshing, we’ve got our modal window.
assets/js/apps/contacts/list/list_controller.js
1 contactsListPanel.on("contact:new", function(){
2 require(["apps/contacts/new/new_view"], function(NewView){
3 var newContact = ContactManager.request("contact:entity:new");
4
5 var view = new NewView.Contact({
6 model: newContact
7 });
8
9 view.on("form:submit", function(data){
10 if(contacts.length > 0){
11 var highestId = contacts.max(function(c){ return c.id; }).get("id");
12 data.id = highestId + 1;
13 }
14 else{
15 data.id = 1;
16 }
17 if(newContact.save(data)){
18 contacts.add(newContact);
19 view.trigger("dialog:close");
20 var newContactView = contactsListView.children.findByModel(newContact);
Creating Contacts with a Modal 53
21 if(newContactView){
22 newContactView.flash("success");
23 }
24 }
25 else{
26 view.triggerMethod("form:data:invalid", newContact.validationError);
27 }
28 });
29
30 ContactManager.regions.dialog.show(view);
31 });
32 });
Of course, this means we need to register a handler to return a new contact instance (lines 5-7):
assets/js/entities/contact.js
1 ContactManager.reqres.setHandler("contact:entity", function(id){
2 return API.getContactEntity(id);
3 });
4
5 ContactManager.reqres.setHandler("contact:entity:new", function(id){
6 return new Entities.Contact();
7 });
And now, we’ve got our code cleaned up: we only interact with our entities via the request-response
mechanism. Note that even though we don’t need a direct reference to the contact entity in the list
controller, we still need to require it in our code so the response handler is registered by the time we
need it.
²⁸https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/e6ea2d375d1f316387f3a8b2f9eb6913574723e1
Filtering Contacts
Once again, you’re on your own: implement the filtering functionality in our app, so users
can filter the contacts displayed on the “list” page. Don’t forget to wire up the routing! I
suggest you implement the functionality in 3 stages:
Exercise Solution
We’re going to need our “filtered collection” entity, so let’s turn it into a RequireJS module:
assets/js/entities/common.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("Entities", function(Entities, ContactManager,
3 Backbone, Marionette, $, _){
4 Entities.FilteredCollection = function(options){
5 // edited for brevity
6 };
7 });
8
9 return ContactManager.Entities.FilteredCollection;
10 });
42 });
43
44 // edited for brevity
And now we’ve got our filtering working. Let’s move on to the next piece of the puzzle: updating
the URL fragment to indicate the current filter criterion. For that bit of magic, we’ll simply restore
the original sections of code: we need to trigger an event indicating the user has filtered the list, and
we need our router to respond appropriately (namely updating the URL fragment).
1 ContactManager.on("contacts:list", function(){
2 ContactManager.navigate("contacts");
3 API.listContacts();
4 });
5
6 ContactManager.on("contacts:filter", function(criterion){
7 if(criterion){
8 ContactManager.navigate("contacts/filter/criterion:" + criterion);
9 }
10 else{
11 ContactManager.navigate("contacts");
12 }
13 });
So now we have our URL updated when a user filters the list of contacts. The last step is to display
a filtered list when the user loads a URL containing a filter query string. In other words, we need
to restore the proper application state by using routing. First, we’ll add the routing code we need:
Filtering Contacts 57
Since we’re already passing on the criterion value (line 8) from our earlier code, that’s all we need
to add to our routing code. Now, we need to get our view to filter the list:
assets/js/apps/contacts/list/list_controller.js
1 listContacts: function(criterion){
2 require(["entities/contact"], function(){
3 var fetchingContacts = ContactManager.request("contact:entities");
4
5 var contactsListLayout = new View.Layout();
6 var contactsListPanel = new View.Panel();
7
8 require(["entities/common"], function(FilteredCollection){
9 $.when(fetchingContacts).done(function(contacts){
10 var filteredContacts = ContactManager.Entities.FilteredCollection({
11 // edited for brevity
12 });
13
14 if(criterion){
15 filteredContacts.filter(criterion);
16 contactsListPanel.once("show", function(){
17 contactsListPanel.triggerMethod("set:filter:criterion", criterion);
18 });
19 }
Don’t forget to add the criterion argument to the function definition on line 1!
Filtering Contacts 58
Since the onSetFilterCriterion method is already defined in our panel, there’s nothing left for us
to do. We’ve got filtering working properly!
²⁹https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/17e4185d0a918bc78646ac55742e6a97fe200eaf
Adding the Loading View
Add the loading view to the “list” controller, but this time you won’t get any hints and will
have to determine dependencies on your own… You’ll find the solution below.
Exercise Solution
Let’s get started by creating the template file we will need:
assets/js/common/templates/loading.tpl
We can now use the template when converting the view file into a RequireJS module:
assets/js/common/views.js
1 define(["app", "tpl!common/templates/loading.tpl"],
2 function(ContactManager, loadingTpl){
3 ContactManager.module("Common.Views", function(Views, ContactManager,
4 Backbone, Marionette, $, _){
5 Views.Loading = Marionette.ItemView.extend({
6 template: loadingTpl,
7
8 title: "Loading Data",
9 message: "Please wait, data is loading.",
10
11 serializeData: function(){
12 return {
13 title: Marionette.getOption(this, "title"),
14 message: Marionette.getOption(this, "message")
15 }
16 },
17
Adding the Loading View 60
18 onShow: function(){
19 var opts = {
20 lines: 13, // The number of lines to draw
21 length: 20, // The length of each line
22 width: 10, // The line thickness
23 radius: 30, // The radius of the inner circle
24 corners: 1, // Corner roundness (0..1)
25 rotate: 0, // The rotation offset
26 direction: 1, // 1: clockwise, -1: counterclockwise
27 color: "#000", // #rgb or #rrggbb
28 speed: 1, // Rounds per second
29 trail: 60, // Afterglow percentage
30 shadow: false, // Whether to render a shadow
31 hwaccel: false, // Whether to use hardware acceleration
32 className: "spinner", // The CSS class to assign to the spinner
33 zIndex: 2e9, // The z-index (defaults to 2000000000)
34 top: "30px", // Top position relative to parent in px
35 left: "auto" // Left position relative to parent in px
36 };
37 $("#spinner").spin(opts);
38 }
39 });
40 });
41
42 return ContactManager.Common.Views;
43 });
Sadly, this code is going to cause us problems: when we execute line 40, we won’t have any library
providing the spin method. In other words, this common loading view needs to depend on the
Spin.js library. Let’s add it to the config:
assets/js/require_main.js
1 requirejs.config({
2 baseUrl: "assets/js",
3 paths: {
4 // edited for brevity
5 marionette: "vendor/backbone.marionette",
6 spin: "vendor/spin",
7 "spin.jquery": "vendor/spin.jquery",
8 tpl: "vendor/tpl",
9 // edited for brevity
10 },
Adding the Loading View 61
11
12 shim: {
13 // edited for brevity
14 localstorage: ["backbone"],
15 "spin.jquery": ["spin", "jquery"]
16 }
17 });
18
19 require(["app"], function(ContactManager){
20 ContactManager.start();
21 });
assets/js/common/views.js
With our view file functional, let’s use it in our list controller:
assets/js/apps/contacts/list/list_controller.js
13
14 });
15 }
16 }
17 });
18 });
And now the loading view displays before our contacts are loaded and rendered:
³⁰https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/917bd91d22e05ca954f4411d9e9c0db0f038c406
Showing Contacts
Implement the functionality required to display contacts when a user clicks on a “show”
link. You’ll find the solution below.
Exercise Solution
First, let’s get our list controller to react when the “show” link is clicked:
With this in place, we’re able to process the click event on the “show” link. Now, we need to turn
our “show” code into a RequireJS module. Let’s start by adding templates:
With these templates in place, we can require them for use in our view file:
Using the templates and adapting the view module for RequireJS (assets/js/apps/contacts/show/show_view.js)
1 define(["app",
2 "tpl!apps/contacts/show/templates/missing.tpl",
3 "tpl!apps/contacts/show/templates/view.tpl"],
4 function(ContactManager, missingTpl, viewTpl){
5 ContactManager.module("ContactsApp.Show.View", function(View,
6 ContactManager, Backbone, Marionette, $, _){
7 View.MissingContact = Marionette.ItemView.extend({
8 template: missingTpl
9 });
10
11 View.Contact = Marionette.ItemView.extend({
12 template: viewTpl,
13
14 events: {
15 "click a.js-edit": "editClicked"
16 },
17
18 editClicked: function(e){
19 e.preventDefault();
20 this.trigger("contact:edit", this.model);
21 }
22 });
23 });
24
25 return ContactManager.ContactsApp.Show.View;
26 });
Once again, don’t forget to have the views in their View sub-module (declared on line 5, used on
lines 8 and 12). Let’s move on to the controller:
Showing Contacts 65
Note that on line 6 we’ve required the module containing our loading view and the contact entity.
With our “show” action ready, let’s wire up the routing code:
Showing Contacts 66
assets/js/apps/contacts/contacts_app.js
1 ContactsApp.Router = Marionette.AppRouter.extend({
2 appRoutes: {
3 "contacts": "listContacts",
4 "contacts(?filter=:criterion)": "listContacts",
5 "contacts/:id": "showContact"
6 }
7 });
8
9 var API = {
10 listContacts: function(criterion){
11 // edited for brevity
12 },
13
14 showContact: function(id){
15 require(["apps/contacts/show/show_controller"], function(ShowController){
16 ShowController.showContact(id);
17 });
18 }
19 };
20
21 // edited for brevity
22
23 ContactManager.on("contacts:filter", function(criterion){
24 // edited for brevity
25 });
26
27 ContactManager.on("contact:show", function(id){
28 ContactManager.navigate("contacts/" + id);
29 API.showContact(id);
30 });
All that’s is triggering the proper event from our list controller:
assets/js/apps/contacts/list/list_controller.js
Displaying a contact
³¹https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/44633c3071342ae3315c5f86725fb3490519a45d
Editing Contacts
We’ve now got a functional view to display our contacts, except it has a non-functional “edit this
contact” button. You know what’s coming, don’t you?
Implement the functionality required to edit contacts when a user clicks on the “edit this
contact” link in the show view. You’ll find the solution below.
Exercise Solution
This solution is quite terse and doesn’t include much hand-holding beyond showing you
the corrected code. This is because the implementation is nearly identical to the “show”
action we’ve covered earlier.
The button already triggers an event when it is clicked, and the “edit” view has already been turned
into a RequireJS module (so we could use it in a modal window to edit contacts in the “list” view,
remember?). Let’s move on to turning our “edit” controller into a module:
assets/js/apps/contacts/edit/edit_controller.js
Then, of course, we need to add the code to our routing controller to get our app to react to the
“contact:edit” event (triggered by the “edit this contact” button in the “show” view):
assets/js/apps/contacts/contacts_app.js
1 appRoutes: {
2 "contacts": "listContacts",
3 "contacts(?filter=:criterion)": "listContacts",
4 "contacts/:id": "showContact",
5 "contacts/:id/edit": "editContact"
6 }
7
8 var API = {
Editing Contacts 70
And with that, we’ve turned our last contact-related functionality into a functioning RequireJS
module.
Editing a contact
Editing Contacts 71
³²https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/e413a45da88330dc60de4e4d80e416fd72c2786f
Reimplementing the About
Sub-Application
Now that we’re done with the “contacts” sub-application, it’s time to tackle the “about” sub-
application.
Re-implement the entire “about” sub-application as a RequireJS module. Don’t forget about
navigation: if the user enters the “about” URL fragment directly into the address bar, he
should be taken to the “about” sub-application. The solution follows.
Exercise Solution
We’ll start by creating a template for our only view:
assets/js/apps/about/show/templates/message.tpl
1 <h1>About this application</h1>
2 <p>This application was designed to accompany you during your learning.</p>
3 <p>Hopefully, it has served you well !</p>
assets/js/apps/about/show/show_view.js
1 define(["app", "tpl!apps/about/show/templates/message.tpl"],
2 function(ContactManager, messageTpl){
3 ContactManager.module("AboutApp.Show.View", function(View, ContactManager,
4 Backbone, Marionette, $, _){
5 View.Message = Marionette.ItemView.extend({
6 template: messageTpl
7 });
8 });
9
10 return ContactManager.AboutApp.Show.View;
11 });
assets/js/apps/about/show/show_controller.js
We’ve now worked our way up to the “about” sub-application’s level, so let’s adapt that file:
assets/js/apps/about/about_app.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("AboutApp", function(AboutApp, ContactManager,
3 Backbone, Marionette, $, _){
4 AboutApp.Router = Marionette.AppRouter.extend({
5 appRoutes: {
6 "about" : "showAbout"
7 }
8 });
9
10 var API = {
11 showAbout: function(){
12 require(["apps/about/show/show_controller"], function(ShowController){
13 ShowController.showAbout();
14 });
15 }
16 };
17
18 ContactManager.on("about:show", function(){
19 ContactManager.navigate("about");
20 API.showAbout();
21 });
22
23 AboutApp.on("start", function(){
Reimplementing the About Sub-Application 74
24 new AboutApp.Router({
25 controller: API
26 });
27 });
28 });
29
30 return ContactManager.AboutApp;
31 });
And finally, we need the main application to require the “about” sub-app before starting, so our sub-
application is listening for route changes by the time we execute Backbone’s history.start. If you
fail to do this, users won’t be able to route directly to the “about” sub-application by entering the
URL fragment into the address bar, because no routing controller will be listening for the navigation
event when it is triggered.
assets/js/app.js
1 ContactManager.on("start", function(){
2 if(Backbone.history){
3 require(["apps/contacts/contacts_app", "apps/about/about_app"], function () {
4 Backbone.history.start();
5
6 if(ContactManager.getCurrentRoute() === ""){
7 ContactManager.trigger("contacts:list");
8 }
9 });
10 }
11 });
³³https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/97604004c938f84228cdb7b415251e4165d220d8
Reimplementing the Header
Sub-Application
The last step in coverting our application to using RequireJS is to reimplement the header sub-
application, so it manages the navigation menu for us. The header sub-app is slightly different in
how it needs to be reimplemented, but I’ll let you debug that on your own.
Reimplement the header sub-app. As mentioned, you’ll need to use some critical thinking
because it’s not entirely comparable to a “standard” sub-app such as the “contacts” sub-app.
Things you should bear in mind:
Exercise Solution
We’re going to need access to our header models before we can render them, so let’s convert them
into a RequireJS module. But the headers will depend on Backbone.Picky to mark the active header,
so let’s add it to assets/js/require_main.js first:
assets/js/require_main.js
1 requirejs.config({
2 baseUrl: "assets/js",
3 paths: {
4 backbone: "vendor/backbone",
5 "backbone.picky": "vendor/backbone.picky",
6 "backbone.syphon": "vendor/backbone.syphon",
7 // edited for brevity
8 },
9
10 shim: {
Reimplementing the Header Sub-Application 76
11 underscore: {
12 exports: "_"
13 },
14 backbone: {
15 deps: ["jquery", "underscore", "json2"],
16 exports: "Backbone"
17 },
18 "backbone.picky": ["backbone"],
19 "backbone.syphon": ["backbone"],
20 // edited for brevity
21 }
22 });
Now we can convert our header to a RequireJS module, including its dependency:
assets/js/entities/header.js
Once again, we have an empty return value, because we’re going to access the headers via the
request-response mechanism. In the same vein, we’re adding the headers to the shared Entities
module.
Of course, we’re going to need to display these headers, so let’s create templates for them:
1 <div class="navbar-inner">
2 <div class="container">
3 <a class="brand" href="#contacts">Contact manager</a>
4 <div class="nav-collapse collapse">
5 <ul class="nav"></ul>
6 </div>
7 </div>
8 </div>
assets/js/apps/header/list/list_view.js
1 define(["app",
2 "tpl!apps/header/list/templates/list.tpl",
3 "tpl!apps/header/list/templates/list_item.tpl"],
4 function(ContactManager, listTpl, listItemTpl){
5 ContactManager.module("HeaderApp.List.View", function(View, ContactManager,
6 Backbone, Marionette, $, _){
7 View.Header = Marionette.ItemView.extend({
8 template: listItemTpl,
9 tagName: "li",
10
11 // edited for brevity
12 });
13
14 View.Headers = Marionette.CompositeView.extend({
15 template: listTpl,
16 className: "navbar navbar-inverse navbar-fixed-top",
17 childView: View.Header,
18 childViewContainer: "ul",
19
20 // edited for brevity
21 });
22 });
23
24 return ContactManager.HeaderApp.List.View;
25 });
assets/js/apps/header/list_controller.js
With our controller reimplemented, let’s continue with the main “header” file:
assets/js/apps/header/header_app.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("HeaderApp", function(Header, ContactManager,
3 Backbone, Marionette, $, _){
4 var API = {
5 listHeader: function(){
6 require(["apps/header/list/list_controller"], function(ListController){
7 ListController.listHeader();
8 });
Reimplementing the Header Sub-Application 79
9 }
10 };
11
12 ContactManager.commands.setHandler("set:active:header", function(name){
13 ContactManager.HeaderApp.List.Controller.setActiveHeader(name);
14 });
15
16 Header.on("start", function(){
17 API.listHeader();
18 });
19 });
20
21 return ContactManager.HeaderApp;
22 });
Now that our “header” app is fully reimplemented, let’s tackle the tricky part. As you can see on
lines 16-18 above, the sub-app registers a “start” listener with code to execute when this sub-module
is started. Since we have not set this module’s startWithParent value to false, it will be started
with the parent module. As it happens, the parent module is the main application: in other words,
the “header” sub-app will be started as soon as the ContactManager main application is started.
If we want the code in our “start” listener to be executed, we’re going to have to make sure the listener
gets registered before ContactManager is started, or by the time the event listener is configured and
waiting, the event will already have fired. End result: nothing happens, and developers go crazy
looking for bugs… How can we make sure the listener is active before our main application is started?
Simply by requiring it before calling our app’s start method:
assets/js/apps/require_main.js
1 requirejs.config({
2 baseUrl: "assets/js",
3
4 // edited for brevity
5 });
6
7 require(["app", "apps/header/header_app"], function(ContactManager){
8 ContactManager.start();
9 });
As you can see on line 7, we’re requiring the “header” sub-app before starting our main application.
This way the “start” listener gets registered, and then we start the app, triggering the “start” event
to which the “header” sub-app can respond. After all our hard work, our header menu displays in
our application.
Reimplementing the Header Sub-Application 80
Unfortunately, our sub-application doesn’t highlight the active header when a user enters a URL
fragement directly into the address bar, although the active header is properly highlighted when the
user clicks on a header entry. To fix this slight problem, we need to add code to each sub-app so it
“orders” the header app to highlight their entry:
assets/js/apps/contacts/contacts_app.js
1 var API = {
2 listContacts: function(criterion){
3 require(["apps/contacts/list/list_controller"], function(ListController){
4 ListController.listContacts(criterion);
5 ContactManager.execute("set:active:header", "contacts");
6 });
7 },
8
9 showContact: function(id){
10 require(["apps/contacts/show/show_controller"], function(ShowController){
11 ShowController.showContact(id);
12 ContactManager.execute("set:active:header", "contacts");
13 });
14 },
15
16 editContact: function(id){
17 require(["apps/contacts/edit/edit_controller"], function(EditController){
18 EditController.editContact(id);
19 ContactManager.execute("set:active:header", "contacts");
20 });
21 }
22 };
Reimplementing the Header Sub-Application 81
assets/js/apps/about/about_app.js
1 var API = {
2 showAbout: function(){
3 require(["apps/about/show/show_controller"], function(ShowController){
4 ShowController.showAbout();
5 ContactManager.execute("set:active:header", "about");
6 });
7 }
8 };
If we give that a shot, it fails, because we don’t have the “set:active:header” handler ready. Here is
our current code:
assets/js/apps/header/header_app.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("HeaderApp", function(Header, ContactManager,
3 Backbone, Marionette, $, _){
4 var API = {
5 listHeader: function(){
6 require(["apps/header/list/list_controller"], function(ListController){
7 ListController.listHeader();
8 });
9 }
10 };
11
12 ContactManager.commands.setHandler("set:active:header", function(name){
13 ContactManager.HeaderApp.List.Controller.setActiveHeader(name);
14 });
15
16 Header.on("start", function(){
17 API.listHeader();
18 });
19 });
20
21 return ContactManager.HeaderApp;
22 });
As you can see, line 13 isn’t within a require callback, so we can’t be sure the List controller is
loaded by the time we need it. Let’s refactor this code to require the List controller as a module
dependency:
Reimplementing the Header Sub-Application 82
assets/js/apps/header/header_app.js
1 define(["app", "apps/header/list/list_controller"],
2 function(ContactManager, ListController){
3 ContactManager.module("HeaderApp", function(Header, ContactManager,
4 Backbone, Marionette, $, _){
5 var API = {
6 listHeader: function(){
7 ListController.listHeader();
8 }
9 };
10
11 ContactManager.commands.setHandler("set:active:header", function(name){
12 ListController.setActiveHeader(name);
13 });
14
15 Header.on("start", function(){
16 API.listHeader();
17 });
18 });
19
20 return ContactManager.HeaderApp;
21 });
We’ve required the List controller at the top level on lines 1 and 2, and we can access its reference
on lines 7 and 12. With this modification in place, our header now properly highlights the active
menu entry:
³⁴https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/6669c91e2cb41996494976e42dfac59e5b9d77d2
Marionette Modules VS Plain
RequireJS Modules
Marionette provides a module mechanism, as does RequireJS, and we’ve been using both simultane-
ously. Why? Because Marionette modules provide us with some functionality that RequireJS doesn’t:
the ability to start/stop a module (and its sub-modules), which we’ll get around to implementing in
the next chapter.
Since we haven’t yet used the start/stop ability provided by Marionette modules (which we’ll do in
the next chapter), their use is debatable. In this chapter, we’ll see what some modules would look
like when using “plain” RequireJS modules, which is all you need in many projects. But once again,
whether you use Marionette modules in addition to RequireJS modules depends on your particular
circumstances (and, to some degree, personal taste).
assets/js/apps/config/storage.js
11
12 Entities.configureStorage = function(constructorString, constructor){
13 var OldConstructor = constructor;
14 var NewConstructor = function(){
15 var obj = new OldConstructor(arguments[0], arguments[1]);
16 _.extend(obj, new StorageMixin(OldConstructor.prototype));
17 return obj;
18 }
19 NewConstructor.prototype = OldConstructor.prototype;
20
21 eval(constructorString + " = NewConstructor;");
22 };
23 });
24
25 return ContactManager.Entities.configureStorage;
26 });
And here’s what our file looks like as a plain RequireJS module:
assets/js/apps/config/storage.js
1 define(["localstorage"], function(){
2 var findStorageKey = function(entity){
3 // edited for brevity
4 };
5
6 var StorageMixin = function(entityPrototype){
7 // edited for brevity
8 };
9
10 return function(constructor){
11 var OldConstructor = constructor;
12 var NewConstructor = function(){
13 var obj = new OldConstructor(arguments[0], arguments[1]);
14 _.extend(obj, new StorageMixin(OldConstructor.prototype));
15 return obj;
16 }
17 NewConstructor.prototype = OldConstructor.prototype;
18
19 return NewConstructor;
20 };
21 });
Marionette Modules VS Plain RequireJS Modules 85
As you can see, we no longer need a reference to the ContactManager application since we don’t
reference it within the module. We’re also changing configureStorage slightly: as we’re no longer
have access to ContactManager and our contact entities will no longer be within a Marionette module
(see below), we won’t be able to reassign the constructor. Instead, we return the new constructor
value (line 19). Finally, once we’ve defined the desired behavior for our storage configuration
function (previously called configureStorage), we simply return it on line 10.
The return value of RequireJS objects doesn’t necessarily have to be an object: any valid
return value from a function is allowed.
With our local storage rewritten as a plain RequireJS module, we can move on to our contact entity.
This is what we currently have:
assets/js/entities/contact.js
29 }
30 };
31
32 ContactManager.reqres.setHandler("contact:entities", function(){
33 return API.getContactEntities();
34 });
35
36 ContactManager.reqres.setHandler("contact:entity", function(id){
37 return API.getContactEntity(id);
38 });
39
40 ContactManager.reqres.setHandler("contact:entity:new", function(id){
41 return new Entities.Contact();
42 });
43 });
44
45 return ;
46 });
As mentioned above, we need to break this into 2 separate files: one for the model, another for the
collection. Here’s our model file (note the different file path):
assets/js/entities/contact/model.js
20 });
21
22 ContactManager.reqres.setHandler("contact:entity:new", function(id){
23 return new ConfiguredContact();
24 });
25
26 return;
27 });
In this file, we define only the Contact model and its related handlers. As you can see on lines 1
and 2, we need to define all the depencies we’ll be referencing. This wasn’t the case earlier, because
Marionette modules provide references to many dependencies (jQuery, Backbone, etc.) within the
callback definition. In addition, we’re “manually” replacing calls to the Contact constructor with
the ConfiguredContact which is configured for local storage.
1 define(["Backbone", "Marionette"],function(Backbone){
2 return new Backbone.Wreqr.EventAggregator();
3 });
If you compare this definition with the linked page in Marionette’s wiki, you’ll notice the syntax is
slightly different: the wiki is using the advanced technique³⁶ for including all Marionette components
as individual AMD modules. We’re simply using the “everything included” build, so we’re declaring
Backbone as a dependency in order to reference it on line 2, and we have Marionette as a dependency
so that it gets loaded and registers the Wreqr attribute we need to use.
Then, we can use our event aggregator module like so:
³⁵https://github.com/marionettejs/backbone.marionette/wiki/Using-marionette-with-requirejs#example-with-central-vent
³⁶https://github.com/marionettejs/backbone.marionette/wiki/Using-marionette-with-requirejs#advanced-usage
Marionette Modules VS Plain RequireJS Modules 88
1 define(["assets/js/vent"], function(vent) {
2 vent.on("eventName", function(){});
3 vent.trigger("eventName");
4 });
assets/js/entities/contact.js
29
30 var API = {
31 getContactEntities: function(){
32 var contacts = new Entities.ContactCollection();
33 var defer = $.Deferred();
34 contacts.fetch({
35 success: function(data){
36 defer.resolve(data);
37 }
38 });
39 var promise = defer.promise();
40 $.when(promise).done(function(fetchedContacts){
41 if(fetchedContacts.length === 0){
42 // if we don't have any contacts yet, create some for convenience
43 var models = initializeContacts();
44 contacts.reset(models);
45 }
46 });
47 return promise;
48 },
49
50 getContactEntity: function(contactId){
51 // edited for brevity
52 }
53 };
54
55 ContactManager.reqres.setHandler("contact:entities", function(){
56 return API.getContactEntities();
57 });
58
59 // edited for brevity
60 });
61
62 return ;
63 });
Once again, we’ll need to store this in a different file. Here’s our new module:
Marionette Modules VS Plain RequireJS Modules 90
assets/js/entities/contact/collection.js
42 }
43 });
44 return promise;
45 }
46 };
47
48 ContactManager.reqres.setHandler("contact:entities", function(){
49 return API.getContactEntities();
50 });
51
52 return ConfiguredCollection;
53 });
Since we’re using plain RequireJS modules, we need to declare our Contact model as a
dependency, so that we can reference it on line 6. In addition, we’re once again replacing
references to the original constructor with the calls to ConfiguredCollection.
assets/js/apps/contacts/show/show_view.js
1 define(["app",
2 "tpl!apps/contacts/show/templates/missing.tpl",
3 "tpl!apps/contacts/show/templates/view.tpl"],
4 function(ContactManager, missingTpl, viewTpl){
5 return {
6 MissingContact: Marionette.ItemView.extend({
7 template: missingTpl
8 }),
9
10 Contact: Marionette.ItemView.extend({
11 template: viewTpl,
12
13 events: {
14 "click a.js-edit": "editClicked"
15 },
16
17 editClicked: function(e){
Marionette Modules VS Plain RequireJS Modules 92
18 e.preventDefault();
19 this.trigger("contact:edit", this.model);
20 }
21 })
22 };
23 });
assets/js/apps/contacts/show/show_controller.js
As you can see, on line 4 we’re requiring the contact model so we can request a contact instance
on line 7. Once again, we’re not using a direct reference to the Contact model as we request
it via the request-response mechanism. By requiring the contact entity, we’re guaranteeing the
“contact:entity” handler will have been registered and will return the data we need. Also of
importance is the fact that we’re no longer defining a named Controller object: we’re directly
returning the object as the RequireJS module’s return value.
Start/Stop Modules According to
Routes
In this chapter, we’ll get our modules to start and stop according to routes. If you’ve been paying
attention in the previous chapter, you’ll remember that the main reason we’re using Marionette
modules instead of plain RequireJS modules, is to be able to start/stop them (and their sub-modules)
easily.
Before we get into the thick of things, let’s take a moment to discuss why we’d want to start/stop
modules according to routes. This is not an approach you should apply to all projects indiscrimi-
nately, as in many cases it will introduce extra complexity overhead with little benefit. So when
would your app benefit from start/stop functionality? There are 2 main types of cases:
• when your sub-application requires a library that isn’t used anywhere else (e.g. a graphing
library);
• when your app needs to load a lot of data on initialization, and needs to free the memory
when another sub-application loads (e.g. a dashboard with drill-down functionality).
In these cases, we’ll be able to load the libraries and/or data when the sub-app starts, and free
the memory as the user navigates away from the sub-application (e.g. he’s no longer viewing the
dashboard requiring advanced visualization and lots of data).
Implementation Strategy
In our current implementation, our modules start automatically with their parent module, and this
happens all the way to the main application. In other words, all of the modules we’ve defined start
as soon as the main application is running. We need this to be modified slightly to add module
start/stop: obviously, we don’t want the sub-apps to start automatically, but only when we tell them
to. Implementing this behavior isn’t as simple as telling the modules not to start automatically: we
need the routers for each sub-app to start automatically with the main app, so that they can react to
routing events (and start the appropriate module, if necessary).
What we need to solve this challenge is to have a common “router” module that will contain
the routing code for all of our sub-apps (and will start automatically); and then we can set
startWithParent to false in the sub-app’s main module (e.g. ContactsApp). Here’s what that looks
like:
Start/Stop Modules According to Routes 94
assets/js/apps/contact/contacts_app.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("ContactsApp", function(ContactsApp, ContactManager,
3 Backbone, Marionette, $, _){
4 ContactsApp.startWithParent = false;
5
6 ContactsApp.onStart = function(){
7 console.log("starting ContactsApp");
8 };
9
10 ContactsApp.onStop = function(){
11 console.log("stopping ContactsApp");
12 };
13 });
14
15 return ContactManager.ContactsApp;
16 });
• on lines 2-13, we define a new Marionette module called “ContactsApp”. Within it, we
– declare (on line 4) that it shouldn’t start with its parent app (i.e. the main application);
– add an onStart function (lines 6-8) which will be executed each time the application
starts. This is where you would load extra libraries or data required by the sub-app;
– add an onStop function (lines 10-12) to free memory by dereferencing variables (e.g.
using delete³⁷ or by assigning them to null) that are no longer of use when the user
navigates away from the sub-app.
We also need to create a new file to contain our router code for the contacts app:
³⁷https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/delete
Start/Stop Modules According to Routes 95
assets/js/apps/contact/contacts_app_router.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("Routers.ContactsApp", function(ContactsAppRouter,
3 ContactManager, Backbone, Marionette, $, _){
4 ContactsAppRouter.Router = Marionette.AppRouter.extend({
5 appRoutes: {
6 // edited for brevity
7 }
8 });
9
10 var API = {
11 // edited for brevity
12 };
13
14 // navigation event listeners (edited for brevity)
15
16 ContactManager.Routers.on("start", function(){
17 new ContactsAppRouter.Router({
18 controller: API
19 });
20 });
21 });
22
23 return ContactManager.ContactsAppRouter;
24 });
We’ve renamed our module from ContactsApp to Routers.ContactsApp: we’re going to use the
Routers Marionette module to hold all of our routing controllers, and it will start (automatically)
with the main application. The rest of the code hasn’t been modified (except for renaming
ContactsApp to ContactsAppRouter, such as on line 30).
We initialize a new router instance on line 17 within the “start” event handler for the
Routers sub-module. This is to ensure routers will get started before Backbone’s history
is started (in ContactManager’s “start” event handler). If we start the routers within a “start”
handler defined on ContactManager, such as replacing line 16 with
ContactManager.on("start", function(){
we’ll face a race condition where history could get started before routers are ready: route
handlers wouldn’t fire as expected. Since we’re instead defining it on a sub-module’s “start”
event, we’re safe: all sub-modules get started before the main module, so our routers will
be ready by the time history gets started.
Start/Stop Modules According to Routes 96
What about the sub-modules such a List? We’re leaving those sub-modules as they are:
we need their startWithParent property to be true (which is the default value). This way,
we prevent our top-level ContactsApp from starting automatically when ContactManager
is started, but when we manually start ContactsApp its sub-modules (List, etc.) will also
start (because the are configured to startWithParent).
We’re still missing a major piece of the puzzle: we need code to start the sub-app we need, and
stop all other sub-apps. Let’s imagine we have 2 very large Marionette sub-applications that expose
dashboards. One of them deals with customer data (where they live, how often they shop, their
profile, etc.), and the other displays aggregate financial information (e.g. sales over the last 2 weeks
by customer segment, number of visits, stock turnover, etc.). Both of these sub-applications provide
advanced analytics and multiple ways to display and regroup data.
To enhance performance, the most frequently analyzed data is loaded when the sub-app is initialized.
This way, when a user wants to change the analysis he’s looking at (e.g.from “overall sales” to “single
male sales”), the sub-app already has the data available and can display the new analysis rapidly.
Unfortunately, all this data takes up memory, and when the user moves on to a different sub-app,
this data isn’t necessary anymore: the memory it’s using should be freed. This can be accomplished
by stopping the current module, and dereferencing the loaded data within the Marionette module’s
onStop method.
With all this module starting and stopping happening, it becomes necessary to have a function we
can call to ensure the sub-app we want to use is active, and stop all the others. Here’s what it looks
like:
assets/js/app.js
And now, of course, we need to execute this method before any controller action:
Start/Stop Modules According to Routes 97
assets/js/apps/contact/contacts_app_router.js
1 var API = {
2 listContacts: function(criterion){
3 require(["apps/contacts/list/list_controller"], function(ListController){
4 ContactManager.startSubApp("ContactsApp");
5 ListController.listContacts(criterion);
6 ContactManager.execute("set:active:header", "contacts");
7 });
8 },
9
10 showContact: function(id){
11 require(["apps/contacts/show/show_controller"], function(ShowController){
12 ContactManager.startSubApp("ContactsApp");
13 ShowController.showContact(id);
14 ContactManager.execute("set:active:header", "contacts");
15 });
16 },
17
18 editContact: function(id){
19 require(["apps/contacts/edit/edit_controller"], function(EditController){
20 ContactManager.startSubApp("ContactsApp");
21 EditController.editContact(id);
22 ContactManager.execute("set:active:header", "contacts");
23 });
24 }
25 };
As you can see above, there’s a fair bit of duplicated code. Let’s clean that up with a new “private”
function:
assets/js/apps/contact/contacts_app_router.js
11 });
12 },
13
14 showContact: function(id){
15 require(["apps/contacts/show/show_controller"], function(ShowController){
16 executeAction(ShowController.showContact, id);
17 });
18 },
19
20 editContact: function(id){
21 require(["apps/contacts/edit/edit_controller"], function(EditController){
22 executeAction(EditController.editContact, id);
23 });
24 }
25 };
Modify the “AboutApp” to start its own module, but only when explicitly ordered to. You’ll
find the solution below.
assets/js/apps/about/about_app.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("AboutApp", function(AboutApp, ContactManager,
3 Backbone, Marionette, $, _){
4 AboutApp.startWithParent = false;
5
6 AboutApp.onStart = function(){
7 console.log("starting AboutApp");
8 };
9
10 AboutApp.onStop = function(){
11 console.log("stopping AboutApp");
12 };
13 });
14
15 return ContactManager.AboutApp;
16 });
Start/Stop Modules According to Routes 99
assets/js/apps/about/about_app_router.js
1 define(["app"], function(ContactManager){
2 ContactManager.module("Routers.AboutApp", function(AboutAppRouter,
3 ContactManager, Backbone, Marionette, $, _){
4 AboutAppRouter.Router = Marionette.AppRouter.extend({
5 appRoutes: {
6 "about" : "showAbout"
7 }
8 });
9
10 var API = {
11 showAbout: function(){
12 require(["apps/about/show/show_controller"], function(ShowController){
13 ContactManager.startSubApp("AboutApp");
14 ShowController.showAbout();
15 ContactManager.execute("set:active:header", "about");
16 });
17 }
18 };
19
20 ContactManager.on("about:show", function(){
21 ContactManager.navigate("about");
22 API.showAbout();
23 });
24
25 ContactManager.Routers.on("start", function(){
26 new AboutAppRouter.Router({
27 controller: API
28 });
29 });
30 });
31
32 return ContactManager.AboutAppRouter;
33 });
Last, but definitely not least, we need to require our router files before starting our application:
Start/Stop Modules According to Routes 100
assets/js/require_main.js
With these changes in place, you can see the various messages being printed to the console as you
navigate around (e.g. by clicking on the links in the header menu). In addition, if you manually enter
URLs in the address bar, the modules will also be started/stopped properly (and display the console
messages). Success!
³⁸https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/a6a52bcc7f58ed0796ff1b79ef30254b82275329
Mixing and Matching Modules
We’ve talked about why you might want to use Marionette modules in a RequireJS project earlier,
and we also saw how you could write a plain RequireJS module in your project. Naturally, in some
cases you might want to use both types of modules: plain RequireJS modules for sub-apps that don’t
need to (un)load libraries and resources, and Marionette modules for those that do. To cover this use
case, we’ll convert our “about” sup-app to use only plain RequireJS modules.
assets/js/apps/about/show/show_view.js
1 define(["marionette", "tpl!apps/about/show/templates/message.tpl"],
2 function(Marionette, messageTpl){
3 return {
4 Message: Marionette.ItemView.extend({
5 template: messageTpl
6 })
7 };
8 });
assets/js/apps/about/show/show_controller.js
assets/js/apps/about/about_app.js
If you use the application now, you’ll see it works. However, our start/stop code has a small issue
we’ll need to fix. Here’s our current code:
Mixing and Matching Modules 103
assets/js/app.js
Line 2 is causing trouble: the call to module returns the Marionette module if it exists, otherwise
it returns a new Marionette module. So in our case, since the AboutApp Marionette module doesn’t
exist, it’s going to be instantiated. This isn’t the behavior we want, so let’s fix it.
assets/js/apps/about/about_app.js
1 var API = {
2 showAbout: function(){
3 require(["apps/about/show/show_controller"], function(ShowController){
4 ContactManager.startSubApp(null);
5 ShowController.showAbout();
6 ContactManager.execute("set:active:header", "about");
7 });
8 }
9 };
As you can see, we’ve modified line 4 to pass the null value, since our “about” app is no longer a
Marionette module. Next, we need to modify our module starting code to properly manage both
module types.
Mixing and Matching Modules 104
assets/js/app.js
• we set currentApp to the module (if it exists), or we use null (line 2);
• if the current module is a Marionette module, we stop it (lines 5-7);
• if the new module is a Marionette module, we start it (lines 10-12).
Finally, we need to require our entire “about” app sub-app so the router is up and running before
we start our main app (and Backbone’s history):
assets/js/require_main.js
With this modification in place, our app happily runs both module types!
³⁹https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/abfebfd3036d5aa35712046efd72f05931a6b8f2
Optimizing the Application with r.js
So far, we’ve rewritten our app to use a mix of “plain” RequireJS and Marionette modules, all
handled by RequireJS. As you’ll recall, RequireJS automatically handles the dependencies and loads
the javascript files in the proper order. However, this order doesn’t change that often (certainly not
on each page request), so why are we having this work done over and over? Wouldn’t it be smarter
to just compute the dependencies once, store the resulting code in a single file and use that in our
application? Of course it is, and that’s one of the goals of r.js, the optimizer provided by RequireJS.
Before we can run the optimizer on our application, we’ll need to install node.js (download here⁴⁰).
Then, download the r.js file form here⁴¹ and store it in your application’s root path.⁴²
With that out of the way, we’re almost ready to run the optimizer. We’ll need a build file⁴³:
assets/js/build.js
1 ({
2 baseUrl: ".",
3 name: "require_main",
4 mainConfigFile: "require_main.js",
5 out: "require_main.built.js",
6 wrapShim: true
7 })
• baseUrl defines the url from which all other paths are determined, and it defaults to the build
file’s path, in our case assets/js (since that’s where we’ve stored our build file). This would
mean that our libraries would be searched for within assets/js/assets/js, because the build file
would have a default base path of assets/js, and our main configuration file defines its own
baseUrl attribute as assets/js. Put both of those together, and we have the optimizer looking
for libraries in assets/js/assets/js, which isn’t what we want… Instead, we need to provide the
actual path we want to use, relative to the application’s base directory. In our case we want it
to be that same base directory, hence the “.” path;
⁴⁰http://nodejs.org/download/
⁴¹http://requirejs.org/docs/download.html#rjs
⁴²Note that, per the instructions, you can also use the optimizer after installing it with npm.
⁴³http://requirejs.org/docs/optimization.html#wholeproject
⁴⁴https://github.com/jrburke/r.js/blob/master/build/example.build.js
Optimizing the Application with r.js 106
• since we’re only optimizing one module (the main module, which will recursively optimize
all its dependencies), we can provide the module’s name inline with the name attribute. Since
the assets/js/require_main.js file defines our main module, we simply provide its name here,
and RequireJS figures out where it is located (via the baseUrl properties);
• mainConfigFile allows us to tell the optimizer where we have our configuration options,
so we don’t need to repeat them on the command line. Once again, the file’s location is
determined via the baseUrl properties;
• out is the name of the built file we want the optimizer to generate. This way, we’ll have a
single, optimized, and uglified file for inclusion in the deployed application. Here too, it’s
location is determined by the baseUrl properties;
• wrapShim allows us to use AMD modules (e.g. Backbone) as dependencies in our shim
configuration. Without this, AMD modules might be evaluated too late in our optimized file,
resulting in an error. For more about this, refer to the documentation⁴⁵ (section starting with
“Important notes for shim config”, search for wrapShim).
We’re now ready to run the optimizer. From our application’s root directory, use a command console
to run
You’ll notice that we’ve indicated the location of our build file with the -o option. Once the optimizer
is done running, you’ll have a brand new file: assets/js/require_main.built.js containing our entire
app in a single minified file.
Let’s try our new file by using it in our index.html file:
index.html
1 <!DOCTYPE html>
2 <html lang="en">
3 <head>
4 <meta charset="utf-8">
5 <title>Marionette Contact Manager</title>
6 <link href="./assets/css/bootstrap.css" rel="stylesheet">
7 <link href="./assets/css/application.css" rel="stylesheet">
8 <link href="./assets/css/jquery-ui-1.10.3.custom.css" rel="stylesheet">
9 </head>
10
11 <body>
12 <div id="app-container">
13 <div id="header-region"></div>
⁴⁵http://requirejs.org/docs/api.html#config-shim
Optimizing the Application with r.js 107
As you can see, we’ve replaced our original RequireJS include on line 21 with our newly optimized
file. But when we refresh our index page, our app doesn’t load properly. Instead we get an error
message indicating that “define is not defined”. What does that mean? Well, even though we don’t
need RequireJS to process the dependencies, we still need it to load our module. So we’ll need to
include the RequireJS library before we load our app file:
index.html
1 <script src="./assets/js/vendor/require.js"></script>
2 <script src="./assets/js/require_main.built.js"></script>
Our app now loads properly, but it seems a little wasteful doesn’t it? We’re loading RequireJS will
all its functionality (and file size!) only to load our unique module. There must be a better way!
Using Almond does come with some restrictions⁴⁸, among which the inability to use
dynamic code loading (e.g. attempting to use a CDN-hosted library and falling back to
a local version).
⁴⁶https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/ba9ebd22c54fd21b4eaf42d83a8d0aab71535012
⁴⁷https://raw.github.com/jrburke/almond/latest/almond.js
⁴⁸https://github.com/jrburke/almond#restrictions
Optimizing the Application with r.js 108
Then, we need to change our build file to include Almond in the optimized file:
assets/js/build.js
1 ({
2 baseUrl: ".",
3 name: "vendor/almond",
4 include: "require_main",
5 mainConfigFile: "require_main.js",
6 out: "require_main.built.js",
7 wrapShim: true
8 })
Notice the changes on lines 3 and 4: we’re telling the optimizer to build Almond and include our
main application. After recompiling our app, we adapt our index page:
index.html
1 <!DOCTYPE html>
2 <html lang="en">
3 <head>
4 <meta charset="utf-8">
5 <title>Marionette Contact Manager</title>
6 <link href="./assets/css/bootstrap.css" rel="stylesheet">
7 <link href="./assets/css/application.css" rel="stylesheet">
8 <link href="./assets/css/jquery-ui-1.10.3.custom.css" rel="stylesheet">
9 </head>
10
11 <body>
12 <div id="app-container">
13 <div id="header-region"></div>
14 <div id="main-region" class="container">
15 <p>Here is static content in the web page. You'll notice that
16 it gets replaced by our app as soon as we start it.</p>
17 </div>
18
19 <div id="dialog-region"></div>
20 </div>
21
22 <script src="./assets/js/require_main.built.js"></script>
23 </body>
24 </html>
Optimizing the Application with r.js 109
Notice that on line 21, we include only the compiled file: RequireJS and Almond do not get
included.
We can now reload our app, aaaaaaaaaaaand it doesn’t work! Among others, we get the “Error:
undefined missing entities/header” error. How is this possible, when it clearly worked fine with
RequireJS? It’s because we have nested require calls (i.e. declaring dependencies within the module,
instead of only in its definition). Luckily the fix is to simply add a findNestedDependencies attribute
to our build file:
assets/js/build.js
1 ({
2 baseUrl: ".",
3 name: "vendor/almond",
4 include: "require_main",
5 mainConfigFile: "require_main.js",
6 out: "require_main.built.js",
7 wrapShim: true,
8 findNestedDependencies: true
9 })
to generate a new version of our compiled application. This time when we reload our application, it
works fine!
⁴⁹https://github.com/davidsulc/structuring-backbone-with-requirejs-and-marionette/commit/5b7fdc52f34992ef3eeedf01324004b765f3edbf
Closing Thoughts
We’ve now rewritten the application with RequireJS and introduced a few new ideas along the way.
You should now have a good grasp of how RequireJS works, and you should be able to apply what
you’ve learned to your own projects.
If you’ve enjoyed the book, it would be immensely helpful if you could take a few minutes to write
your opinion on the book’s review page⁵⁰. Help others determine if the book is right for them!
And once you’re ready to progress in your Marionette knowledge, take a look a my Marionette: A
Serious Progression⁵¹ book!
Would you like me to cover another subject in an upcoming book? Let me know by email at
[email protected] or on Twitter (@davidsulc). In the meantime, see the next chapter for my
current list of books.
Thanks for reading this book, it’s been great having you along!
Keeping in Touch
I plan to release more books in the future, where each will teach a new skill (like in this book) or
help you improve an existing skill and take it to the next level.
If you’d like to be notified when I release a new book, receive discounts, etc., sign up to my mailing
list at davidsulc.com/mailing_list⁵². No spam, I promise!
You can also follow me on Twitter: @davidsulc
⁵⁰https://leanpub.com/structuring-backbone-with-requirejs-and-marionette/feedback
⁵¹https://leanpub.com/structuring-backbone-with-requirejs-and-marionette
⁵²http://davidsulc.com/mailing_list
Other Books I’ve Written
Presumably, you’re already comfortable with how Marionette works. If that isn’t quite the case,
take a look the book where the Contact Manager application is originally developed: Back-
bone.Marionette.js: A Gentle Introduction⁵³.
And if you’re looking to learn more advanced Marionette concepts, make sure you read Marionette:
A Serious Progression⁵⁴! It introduces advanced techniques for you to use on your apps:
If you’re serious about writing maintainable apps, look into my Marionette.js: Testing and Refac-
toring⁵⁵ book. You’ll learn how to write a test suite for your code using Mocha, Chai, and Sinon.
These skills will assist you in improving the application code and developing new features without
introducing regressions. We will also cover how to run tests from the command line, so your new
test suite can be used within a continuous integration environment. We will see how to:
And much more, of course. The entire book is platform-/framework-independent as is doesn’t rely
on any server: we’ll be testing only the client-side code.
⁵³https://leanpub.com/marionette-gentle-introduction
⁵⁴https://leanpub.com/marionette-serious-progression
⁵⁵https://leanpub.com/marionette-testing