We are going to build a full stack Todo App using the MEAN (MongoDB, ExpressJS, AngularJS and NodeJS). This is the last part of three-post series tutorial.

MEAN Stack tutorial series:

  1. AngularJS tutorial for beginners (Part I)
  2. Creating RESTful APIs with NodeJS and MongoDB Tutorial (Part II)
  3. MEAN Stack Tutorial: MongoDB, ExpressJS, AngularJS and NodeJS (Part III) 👈 you are here

Before completing the app, let’s cover some background about the this stack. If you rather jump to the hands-on part click here to get started.

Why MEAN stack?

TL; DR: NodeJS has been built from bottom up a non-blocking I/O paradigm, which gives you more efficiency per CPU core than using threads in other languages like Java.

LAMP (Linux-Apache-MySQL-PHP) has dominated web application stack for many years now. Well-known platforms such as Wikipedia, Wordpress, and even Facebook uses it or started with it. Enterprise, usually, used go down the Java path: Hibernate, Spring, Struts, JBoss. More agile frameworks also have been used such as Ruby on Rails and for Python Django and Pylon.

Ubiquitous

Well, it turns out, that JavaScript it is everywhere. It used to be limited to browsers. But, now you can found it in smartphones, servers, robots, Arduino, RaspberryPi… Thus, it does not matter what technology you use to build web applications, you need to be familiar with Javascript. In that case, then, it is a time saver to use wherever it fits, especially for building web applications. MEAN stack is embracing that, using Javascript to create end-to-end web applications. ​ Non-blocking architecture

JavaScript is a dynamic, object-oriented, and functional scripting language. One of the features that make it win over Java Applets decades ago, it was its lightness and non-blocking event loop. Blocking means that when one line of code is executing, the rest of it is locked waiting to finish. On the other hand, non-blocking gives to each line of code a shot and then through callbacks it can come back when an event happens. Programming languages that are blocking (Java, Ruby, Python, PHP, …) overcomes concurrency using many threads of execution while JavaScript handles it using non-blocking event loop in a single thread.

As you can see, a single thread of execution in Node can handle perform multiple tasks vs a non-blocking style that execute each one sequentially. You can read more about it in NodeJS faster than Java article.

Some companies like Paypal moved from Java backend to NodeJS and reported a increased performance, lower average response times, and development speed gains. Similarly happens to Groupon that came from Java/Rails monoliths.

Agile and vibrant community

The community behind Javascript is quite vibrant. It has permeated in almost all the fields of technology: data visualization, server-side, databases, robotics, building tools and many more.

TODO app with MEAN

In this section are going to put together everything that we learnt in the two previous tutorials.

MEAN Backend with MongoDB, ExpressJS and NodeJS

In the previous post, we have gone through the process of building a RESTful API and we are going to be building on top of that. Repository here.

Getting the back-end code build on Part II
1
git clone https://github.com/amejiarosario/todoAPIjs.git

MEAN stack front-end with AngularJS

Similarly, we have build a very lean todoApp in the first part of this tutorial. You can download the file to follow along and see it in action here. You might notice the angularJS app is very simple and even it is entirely in one file for simplicity sake. In further tutorials, we are going to make it more modular, split in files, add tests and stylesheets.

Let’s go first to the ExpressJS app (todoAPIjs) and review the default routing system:

  1. app.js loads the all the routes.
  2. The root path (/) is mounted on the routes/index.js
  3. routes/index.js sets the variable title and renders index.ejs.
Tracing ExpressJS index route
1
2
3
4
5
6
7
8
9
10
11
12
// app.js
var routes = require('./routes/index');
app.use('/', routes);

// ./routes/index.js
router.get('/', function(req, res) {
res.render('index', { title: 'Express' });
});

// ./views/index.ejs
<h1><%= title %></h1>
<p>Welcome to <%= title %></p>

The best place to load our ./views/index.ejs. So let’s copy the body content from ngTodo.html content in there and change in ./routes/index.js title to “ngTodo App”. Don’t forget to add ng-app on the top. <html ng-app="app">.

diff

Wiring up the App

AngularJS Read with $http

As you might notice, in the factory, we have a fixed array. We need to change it to communicate with the API that we just build.

$http is Anguar core sevice that allow to make XMLHttpRequest or jsonp request. You can either pass an object with http verb and url or call call $http.verb ($http.get, $http.post).

$http returns a promise which has a success and error function.

AngularJS $HTTP Usage Example
1
2
3
4
5
6
7
8
9
10
11
$http({method: 'GET', url: '/todos'}).
success(function(data, status, headers, config) {
// this callback will be called asynchronously
// when the response is available.
console.log('todos: ', data );
}).
error(function(data, status, headers, config) {
// called asynchronously if an error occurs
// or server returns response with an error status.
console.log('Oops and error', data);
});

Let’s try it out in our app. Go to views/index.ejs and do this changes:

Using $http to retrieve data from database
1
2
3
4
5
6
7
8
9
10
11
12
13
14
// Service
.factory('Todos', ['$http', function($http){
return $http.get('/todos');
}])

// Controller
.controller('TodoController', ['$scope', 'Todos', function ($scope, Todos) {
Todos.success(function(data){
$scope.todos = data;
}).error(function(data, status){
console.log(data, status);
$scope.todos = [];
});
}])

diff

$http.get will request data using the GET method.

Try it in your browser!s If you have data from the previous tutorial you should be able to see it.

To start the server, you can use

1
npm start

or if you have it installed

1
nodemon

AngularJS Read with $resource

If you click in one of the Todo elements and get redirected to the detail page, you will not see anything yet. We need to update the TodoDetailCtrl first. Even though we already have the GET verb working. We have a different URL requirement for /todos/:id for the other methods. There’s an Angular service that has a higher level of abstraction of $http to deal with RESTful requests. It is called $resource.

Initialize as: $resource(url, [paramDefaults], [actions], options);

It comes with the following actions already defined; it is missing one though… Can you tell?

$resource actions
1
2
3
4
5
{ 'get':    {method:'GET'},  // get individual record
'save': {method:'POST'}, // create record
'query': {method:'GET', isArray:true}, // get list all records
'remove': {method:'DELETE'}, // remove record
'delete': {method:'DELETE'} }; // same, remove record

The instances are used in the following way (examples will come later):

  • GET: Resource.get([parameters], [success], [error])
  • Non-GET: Resource.action([parameters], postData, [success], [error])
  • Non-GET: resourceInstance.$action([parameters], [success], [error])

$resource is not part of the Angular core, so it requires to ngResource and the dependency. We can get it from the CDN:

ngResource dependency
1
<script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.25/angular-resource.min.js"></script>

This is what need to set it up:

$resource.query()
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
  // add ngResource dependency
angular.module('app', ['ngRoute', 'ngResource'])

// ...

.factory('Todos', ['$resource', function($resource){
return $resource('/todos/:id', null, {
'update': { method:'PUT' }
});
}])
// ...
.controller('TodoController', ['$scope', 'Todos', function ($scope, Todos) {
$scope.todos = Todos.query();
}])

Angular will render an empty $scope.todos. but, when Todos.query() comes with the data from the server it will re-render the UI.

diff

AngularJS Create

We will need to create a new text box, a button to send a POST request to server and add it to the $scope.

We are using inline templates with id="/todos.html" and id="/todoDetails.html". They are not physical files. Just ng-template that we create in the part I of these tutorial series.

Add this code at the bottom of the id="/todos.html" template:

New textbox for adding Todos
1
New task <input type="text" ng-model="newTodo"><button ng-click="save()">Create</button>

Notice that we are using a new directive ng-click, this one executes a function when it clicked. Angular makes sure that the behaviour is consistent across different browsers.

Save function $resource.$save(...)
1
2
3
4
5
6
7
8
9
10
11
12
13
.controller('TodoController', ['$scope', 'Todos', function ($scope, Todos) {
$scope.todos = Todos.query();

$scope.save = function(){
if(!$scope.newTodo || $scope.newTodo.length < 1) return;
var todo = new Todos({ name: $scope.newTodo, completed: false });

todo.$save(function(){
$scope.todos.push(todo);
$scope.newTodo = ''; // clear textbox
});
}
}])

diff

Show Todo details

Every time you click a todo link, it is showing an empty fields. Let’s fix that. First we need set the real _id to the links instead of $index.

Change the ID link in the `id
1
2
3
4
<li ng-repeat="todo in todos | filter: search">
<input type="checkbox" ng-model="todo.completed">
<a href="#/{{todo._id}}">{{todo.name}}</a>
</li>
Update TodoDetailCtrl with $resource.get
1
2
3
.controller('TodoDetailCtrl', ['$scope', '$routeParams', 'Todos', function ($scope, $routeParams, Todos) {
$scope.todo = Todos.get({id: $routeParams.id });
}])

Notice the change from $scope.todo = Todos[$routeParams.id]; to $scope.todo = Todos.get({id: $routeParams.id });

Now you should be able to see the details :)

diff

AngularJS Update (in-line editing)

This is going to be a very cool feature. Let’s meet these new directives:

  • ng-show: this directive shows the element if the expression evaluates to true. Otherwise, the content is hidden.

  • ng-change: directive for input elements that evaluates the expression after any change.

Replace the template with id="/todos.html" with the following:

Template todos.html
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
<!-- Template -->
<script type="text/ng-template" id="/todos.html">
Search: <input type="text" ng-model="search.name">
<ul>
<li ng-repeat="todo in todos | filter: search">
<input type="checkbox" ng-model="todo.completed" ng-change="update($index)">
<a ng-show="!editing[$index]" href="#/{{todo._id}}">{{todo.name}}</a>
<button ng-show="!editing[$index]" ng-click="edit($index)">edit</button>

<input ng-show="editing[$index]" type="text" ng-model="todo.name">
<button ng-show="editing[$index]" ng-click="update($index)">Update</button>
<button ng-show="editing[$index]" ng-click="cancel($index)">Cancel</button>
</li>
</ul>
New task <input type="text" ng-model="newTodo"><button ng-click="save()">Create</button>
</script>

Now let’s change the controller to handle the inline editing:

Todo Controller
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
.controller('TodoController', ['$scope', 'Todos', function ($scope, Todos) {
$scope.editing = [];
$scope.todos = Todos.query();

$scope.save = function(){
if(!$scope.newTodo || $scope.newTodo.length < 1) return;
var todo = new Todos({ name: $scope.newTodo, completed: false });

todo.$save(function(){
$scope.todos.push(todo);
$scope.newTodo = ''; // clear textbox
});
}

$scope.update = function(index){
var todo = $scope.todos[index];
Todos.update({id: todo._id}, todo);
$scope.editing[index] = false;
}

$scope.edit = function(index){
$scope.editing[index] = angular.copy($scope.todos[index]);
}

$scope.cancel = function(index){
$scope.todos[index] = angular.copy($scope.editing[index]);
$scope.editing[index] = false;
}
}])

We added a new variable $scope.editing which shows or hides the form to edit the values. Furthermore, notice ng-click functions: edit, update and cancel.

Let’s see what they do. Try it out!

While were are editing notice that we copy the original todo task into the editing variable. This server for two purposes:

  1. It evaluates to true and show the forms with ng-show

  2. It holds a copy of the original value in case we press cancel.

Now, going to the Todo Details. We would like that to be updated as well and add notes.

Todo Details
1
2
3
4
5
6
7
8
<script type="text/ng-template" id="/todoDetails.html">
<h1>{{ todo.name }}</h1>
completed: <input type="checkbox" ng-model="todo.completed"><br>
note: <textarea ng-model="todo.note"></textarea><br><br>

<button ng-click="update()">Update</button>
<a href="/">Cancel</a>
</script>

Similarly, we added an update method. However, this time we do not need to pass any index, since it is just one todo at a time. After it has been saved, it goes back to root path /.

TodoDetailCtrl controller
1
2
3
4
5
6
7
8
9
.controller('TodoDetailCtrl', ['$scope', '$routeParams', 'Todos', '$location', function ($scope, $routeParams, Todos, $location) {
$scope.todo = Todos.get({id: $routeParams.id });

$scope.update = function(){
Todos.update({id: $scope.todo._id}, $scope.todo, function(){
$location.url('/');
});
}
}])

Awesome! Time to check it out in the browser!

$location.url([url]) is a getter/setter method that allows us to change url, thus routing/view.

diff

AngularJS Delete

These are the changes added to perform the remove functionality:

A. Add removes button in the li element:

todos.html Template
1
<button ng-show="!editing[$index]" ng-click="remove($index)">remove</button>

Do the same for the details Template

todoDetails.html Template
1
<button ng-click="remove()">Remove</button>

B. Add remove functionality in the controllers

TodoController
1
2
3
4
5
6
$scope.remove = function(index){
var todo = $scope.todos[index];
Todos.remove({id: todo._id}, function(){
$scope.todos.splice(index, 1);
});
}

And also in the details controllers

todoDetails controller
1
2
3
4
5
$scope.remove = function(){
Todos.remove({id: $scope.todo._id}, function(){
$location.url('/');
});
}

When we remove elements from the todos array $scope.todos.splice(index, 1) they also disappear from the DOM. Very cool, huh?

diff

Congratulations! You are now a MEAN developer!

What’s next?

Learn how to use GruntJS to automate repetitive tasks in your MEAN Stack workflow.

GruntJS Tutorial

Also, you can learn more about full-stack framework solutions.

Full-Stack Javascript Web Frameworks

What we did in these three series tutorial could have been done with just few keystrokes in the comamnd line ;). However, it’s good to know what’s going on. But at this point you do. So, I will introduce you to some frameworks that can save you a lot of time.

Using MEAN.io

MeanIO uses a customized CLI tool: ‘mean’. Its approach for modularity is leaned towards self-contained packages that have code for both client and server files. At moment of writing this, it has nine packages ranging from MEAN-Admin, Translation, file uploads, image crop and more.

Using MEAN.js

MeanJS it is a fork from the creator of MEAN.IO, it uses Yeoman generators to generate Angular’s CRUD modules, routes, controllers, views, services, and more. Also has generators for Express: models, controllers, routes and tests. It has excellent documentation.

Others Frameworks to look at

  • Meteor - Meteor is an open-source platform for building top-quality web apps in a fraction of the time, whether you’re an expert developer or just getting started.
  • Sails - The web framework of your dreams. for your next web application.
  • Yahoo! Mojito - A JavaScript MVC framework for mobile applications, one of the Yahoo! Cocktails.
  • Tower.js - Small components for building apps, manipulating data, and automating a distributed infrastructure.