Anatomy of a JavaScript MV* Framework

Share this article

The key to quickly learning JavaScript MV* Frameworks is to break them down into a series of features. The main features of an MV* application are routing, data binding, templates/views, models, and data access. In this post I’ll describe these features and show code examples from AngularJS, Backbone, and Ember for each feature. You will begin to concretely understand what these frameworks are trying to help you accomplish and realize they are more alike than they are different. In fact, it becomes apparent that most of the frameworks borrow heavily from the successes of the others.

Don’t be too concerned about understanding every line of code. For now, try to appreciate how similar they are and the problems they can solve for your project.

Routing

Routing, at a minimum maps your URLs to a function, but sometimes goes as far as implementing a full “state machine” design pattern for managing state transitions within a view. If you’ve ever used the router in a server-side MVC framework such as Rails, CodeIgniter, CakePHP, ASP.NET MVC, etc., then you can just think of the JavaScript MV* routers as the same thing but running on the client in JavaScript.

You may be wondering how this works and will this work on older browsers? Everything after the hash tag in a URL in considered the route, however, if HTML push-state support is configured (with one line of code in most frameworks) then URLs without hashes that match the routes will be intercepted on the client and run JavaScript as well.

Enough details let’s see some code.

Backbone Example

Here is a simple example of routing in Backbone.js:

Notice the AppRouter object. Routes are mapped to functions. The functions simply create a view object which manages a DOM fragment and adds it to the page when the URL changes. The Backbone.history.start() tells Backbone to start listening for URL changes.

AngularJS Example

Here is a simple example of routing in AngularJS:

The AngularJS example is very similar to the Backbone example except routes map to templateUrls and controller functions.

Ember Example

Below is a simple example of routing in Ember:

Again, very similar to the others except with Ember.js the first parameter to the router’s “resource” object is a routeName and the second is the URL. The order of these parameters confused me at first until someone pointed out that the path parameter is optional and frequently can be set by convention as it is with the about page in the example. Also, Ember templates are required to make this simple routing example work but I’ll go over them in a later section. For now it’s enough to know the templates get placed in the {{outlet}}.

Data Binding

Data binding allows changes in the model data to be updated in the view and/or changes in the view to be automatically updated in the model without additional code. One-way data binding generally indicates changes to the model are propagated to the view. Two-way data binding adds the ability for view changes to immediately be shown on the model. Data binding eliminates a lot of boilerplate code developers write and frees the developer to focus on the unique problems in the application.

AngularJS Example

Below is a simple example of two-way data binding in AngularJS. Typing in the input field will show the entered text after the welcome message.

Backbone Example

Backbone doesn’t have automatic data binding, but it is possible to do manually. In practice, I’ve found one-way data binding which updates the view when changes are made to the model to be extremely useful. Data binding from the view to the model real-world use cases are less common.

Below is a simple example where code has been implemented to bind both ways.

In summary, you listen for a change event on the model and call the view’s render property to get the model to update the view. Similarly, you listen for keyup on an input and change the model by getting the value out of the input with jQuery and setting it on the model to have the view update the model. This example should give you a feel for how much code it takes to get data binding working. It is also worth noting that there are numerous plug-ins that add support for data binding to Backbone.

Ember Example

Data binding in Ember looks like this:

Ember uses the familiar Handlebars for templating, but the framework also includes “input helpers” to bind common form input fields. The curly braces {{ replace the angle brackets < on the input in this example and the name property has no quotes so the helper knows to bind it.

Templates/Views

Templates can be entire pages of HTML, but more commonly are smaller fragments of HTML with data binding placeholder expressions included for dynamic data. They can be logic-less with the philosophy that there should be little to no logic in your views, while others allow you to embed JavaScript directly in the template. Templates can be DOM-based and use the DOM to dynamically insert dynamic data or string-based, treating the HTML as strings and replacing the dynamic parts.

Lets look at some examples.

AngularJS Example

Here is a simple templates example in AngularJS.

You’ll notice this is very similar to the earlier routing example with some data binding added to show how templates can help in your application. Templates are all included in script tags in the main HTML file to make the example easy to follow and work in jsfiddle.net, but templates can be external to the view in AngularJS by giving a valid file path to the templateUrl property when configuring the $routeProvider.

The preferred way of handling templates in larger scale applications where performance is a concern is to concatenate and register your AngularJS templates in the Angular $templateCache at compile time with a build task such as this one.

Ember Example

Below is an example of templates in Ember.

An Ember route is an object that tells the template which model it should display. I think of it as the most basic controller for your template and resource (URL) whose main job is to load the model. If you need to get fancy and store application state then you need a controller.

Backbone Example

Now, lets look at a simple example of templates in Backbone.

This is a modification of the routing example, but instead of the HTML being hard-coded in the the view object’s template property, the markup is now in the HTML page inside a script tag with an id attribute (browsers ignore script tags with types they do not recognize such as text/template so the template won’t be shown or executed). To get the template (HTML fragment) we use a jQuery selector to find the element by the script tag’s id, grab the innerHTML, and then assign the HTML to the template property of the view object (it’s just a string).

Models

Models are the client-side version of what is commonly referred to as business objects, domain objects, or entities. In general, the idea behind models in client-side MV* frameworks is to establish a central point for the data in the application as well as any behavior that should be encapsulated with that data. This model can be contrasted with server-side MVC plus jQuery architectures where the model data is commonly stored in the DOM. By having a model the goal is remove that data and state from the DOM and put it in a common place where it can be reused.

Backbone Example

Models hold data and keep it out of the DOM, and emit events such as change which allows numerous views to react accordingly and update the user interface everywhere it is needed. This gives you one source of truth, which is not the user interface.

I’ve modified the data binding example from earlier by adding a new template and view that looks at the same Person model object. Previously, I declared the Person model on the fly to keep things simple, but now I’ve added the call to Backbone.Model.extend() to demonstrate how you create a prototype for a model that can be used over and over similar to classes in classical languages. Notice how both views are listening to the same person model object (the change event) and updating themselves. By having this single source of data the numerous calls to specific DOM elements can be encapsulated in their own tidy views and one model can serve them all.

AngularJS Example

The idea of one model that is the truth about the state in your application exists in AngularJS but Angular allows you to use plain old JavaScript objects as your model and then adds watchers “under the hood” to any property that is data bound in the view with the directive ng-model. These watchers then automatically alert other parts of the application that are bound to that same model and these DOM elements know how to update themselves.

Here is the updated AngularJS data binding example showing two parts of the view being updated.

Data Access

Data access is about how you get and save data for your application. In general, the frameworks assume you are making a call to an API that is returning you JSON.

AngularJS Example

AngularJS handles data in two different ways. First, by providing support for manual Ajax calls in a very similar way to jQuery’s $.ajax functionality via $http. In addition, if your backend is a strictly RESTful service, AngularJS provides a $resource class that makes calls to the RESTful service extremely terse.

$http Example

app.factory('myService', function($http) {
  return {
    getFooOldSchool: function(callback) {
      $http.get('foo.json').success(callback);
    }
  };
});

app.controller('MainCtrl', function($scope, myService) {
  myService.getFooOldSchool(function(data) {
    $scope.foo = data;
  });
});

$resource Example

//create a todo
var todo1 = new Todo();
todo1.foo = 'bar';
todo1.something = 123;
todo1.$save();

//get and update a todo
var todo2 = Todo.get({id: 123});
todo2.foo += '!';
todo2.$save();

//delete a todo
Todo.$delete({id: 123});

Backbone Example

Backbone assumes you are interacting with a RESTful API but allows you to override one method, Backbone.sync(), if not. You tell your model where the resource is on the server (the URL) and then you can just call save().

var UserModel = Backbone.Model.extend({
  urlRoot: '/user',
  defaults: {
    name: '',
    email: ''
  }
});
var user = new Usermodel();
// Notice that we haven't set an `id`
var userDetails = {
  name: 'Craig',
  email: 'craigmc@funnyant.com'
};
// Because we have not set an `id` the server will call
// POST /user with a payload of {name:'Craig', email: 'craigmc@funnyant.com'}
// The server should save the data and return a response containing the new `id`
user.save(userDetails, {
  success: function (user) {
    alert(user.toJSON());
  }
});

Ember Example

Ember has Ember Data which is not technically part of the core framework but is shooting to provide a more robust data persistence/data storage story. It provides many of the facilities you’d find in server-side ORMs like ActiveRecord, but is designed specifically for the unique environment of JavaScript in the browser. At the time of writing, the Ember Core Team is close to releasing v1.0, but has not and many Ember projects simply use the $.ajax methods in jQuery just as AngularJS uses $http in the above examples.

Conclusion

This post broke down JavaScript MV* frameworks by features to provide insight into what functionality is provided by these frameworks and to bring readers to the realization that they are actually very similar. Once you understand the framework features and how they fit together it becomes much easier to quickly learn multiple frameworks and find the right one for your project.

Frequently Asked Questions about JavaScript MV Frameworks

What is a JavaScript MV Framework?

A JavaScript MV Framework is a type of software design pattern that stands for Model-View. It is a structure that allows developers to separate concerns in an application, dividing it into three interconnected parts. This separation allows for efficient code organization, making it easier to maintain and understand.

How does a JavaScript MV Framework work?

In a JavaScript MV Framework, the Model represents the data and the business logic. It manages the data and rules of the application. The View, on the other hand, is the visual representation of the data, essentially what the user sees and interacts with on the screen. The View updates when the Model changes.

What are the benefits of using a JavaScript MV Framework?

Using a JavaScript MV Framework can greatly improve the efficiency of your code. It provides a structured approach to designing your application and makes your code more maintainable and scalable. It also improves code reusability and makes it easier to manage complex applications with multiple views and models.

What are some examples of JavaScript MV Frameworks?

There are several popular JavaScript MV Frameworks available today. Some of the most popular ones include AngularJS, ReactJS, and Vue.js. Each of these frameworks has its own strengths and weaknesses, and the choice between them often depends on the specific needs of the project.

How do I choose the right JavaScript MV Framework for my project?

Choosing the right JavaScript MV Framework depends on several factors. You should consider the size and complexity of your project, the learning curve of the framework, the community and support around the framework, and your personal preference and familiarity with the framework.

How do I get started with a JavaScript MV Framework?

To get started with a JavaScript MV Framework, you first need to have a basic understanding of JavaScript. Once you have that, you can choose a framework that suits your needs and start learning it. There are plenty of online resources, tutorials, and documentation available for each framework.

Can I use more than one JavaScript MV Framework in a single project?

While it’s technically possible to use more than one JavaScript MV Framework in a single project, it’s generally not recommended. Using multiple frameworks can lead to unnecessary complexity and can make your code harder to maintain.

What is the difference between a library and a framework?

The main difference between a library and a framework is the control flow. With a library, you are in control and you decide when to use the library. With a framework, the control is inverted: the framework is in control and it calls your code when it needs to.

Are JavaScript MV Frameworks only for web development?

While JavaScript MV Frameworks are primarily used for web development, they can also be used for other types of applications. For example, React Native is a framework that allows you to build mobile apps using only JavaScript and React.

How do JavaScript MV Frameworks handle data binding?

Data binding is a key feature of JavaScript MV Frameworks. It allows for a dynamic connection between the Model and the View. When the Model changes, the View automatically updates to reflect those changes, and vice versa. Different frameworks handle data binding in different ways. For example, AngularJS uses two-way data binding, while React uses one-way data binding.

Craig McKeachieCraig McKeachie
View Author

Craig McKeachie recently released the JavaScript Framework Guide: AngularJS, Backbone, and Ember. He blogs about web development and JavaScript at funnyant.com and hosts a podcast frontendcast.com. Craig has been a web developer for over 15 years and doesn't plan on stopping anytime soon.

angularjsBackbone.jsColinIEmber.jsframeworkLearn Angularmvc
Share this article
Read Next
Get the freshest news and resources for developers, designers and digital creators in your inbox each week