Click here to Skip to main content
15,892,005 members
Articles / All Topics

Hands on Angular Js-III

Rate me:
Please Sign up or sign in to vote.
5.00/5 (2 votes)
25 Mar 2016CPOL5 min read 6.3K   1  
Hands on Angular Js-III

Introduction

Hello folks!! Let's continue our journey of learning Angular JS. We have seen & discussed few topics already!

In this article, we will discuss a few concepts that are very essential to build an MVC project with Angular.

thinkzooLet's see the topics we will be covering in this article:

  • Angular Model
  • Angular Scopes
  • Angular Services
  • Angular Http
  • Angular Dependency Injection

Angular Model

This as the name suggests, binds the values to the model associated to an element. This shows a two-way binding, i.e., when the value suppose in the textbox changes, the value for the model also binds and changes. The attribute used is ng-model, the code would be like:

HTML
<script src="http://ajax.googleapis.com/ajax/libs/angularjs/1.4.8/angular.min.js"></script>
<div>Name : <input type="text" />
<h1>Welcome {{name}}</h1>
</div>

This will update the value of text entered inside the text box and gets displayed in real time.

1

An interesting fact about the ng-model directive is that, the directive watches the model by reference not by value. It also provides validation to the particular field.

Angular Scopes

Angular scopes are the execution-context generated during the creation of a controller. We pass the scope object to the controller function. The scope is generally denoted as $scope. This is actually an object to which we add the properties to be accessed in the HTML page using the controller reference.
As the angular doc rightly says, it is actually the glue between the controller and the view. It comes with two referring APIs, i.e., $watch (used to observe the model mutations) and $apply (used to propagate the changes done to the scope object property). Let's have a glance at the snippet:

JavaScript
angular.module('scopeTest', []).controller('TestController', function($scope) {
  $scope.username = Suraj;
 });

This is how the scope object is passed and initialized and assigned properties to be used inside the view.

Interesting Facts

Controller function in Angular is a constructor function. Now what is a constructor function? A constructor function in simple terms is when the new keyword is used before a function.

JavaScript
var constructorFunction = new Funciton(Parameters..);

Thus every time a controller is instantiated, it gets associated with a new Scope.

Angular Services

There are many in-built services provided by Angular and also we can explicitly create our own services to have a loose coupling while using the Http Get Post services. These are actually singleton functions that are required to perform certain specified tasks. What singleton means is restricting the instantiation to a single object only.
As in MVC, we follow Separation of concern, here also these services can be used to follow the loose coupling and binding.

2

As we can see here, the reuse of the services can also be followed here. This is done using the injection of dependency into the controller function. We will look into the dependency in the next points.

Let's see how we declare a service in Angular.

JavaScript
var module = angular.module('TestApp', []); 
module.service('TestService', function(){
    this.users = ['Suraj', 'CsharpCorner', 'Angular'];
});

Here comes another concept known as Factory, which also behaves as a service function only.

JavaScript
var module = angular.module('TestApp', []); 
module.factory('TestFactory', function(){     
    var testFactory = {};     
    testFactory.users = ['Suraj', 'CsharpCorner', 'Angular'];
    return testFactory; 
});

The behavior is the same for both service and factory, but the difference is interesting. For the difference, take a closer look at the snippets mentioned above. In the first snippet where we have declared the service and we have added the ‘users’ to the reference of the service, i.e., this keyword. Whereas, in the .factory declaration, we have used the testFactory object and assigned property users to it. While using the Services in the injection, we will have the object instance of the service becomes the reference to the methods and can be used in the injection for other controllers or services, while in case of factory, when that is injected, the value is directly provided which is returned by the function within.
The above discussed are explicit or user-defined services, now let's see the in-built services provided by Angular (some of them).

  • $http: This is the Http server requesting service, which is one of the most commonly used and important services.
    JavaScript
    var app = angular.module('TestApp', []);
    app.controller('TestCtrl', function($scope, $http) {
        $http.get("url").then(function (response) {
            $scope.testData= response.data;
        });
    });

    As we see in the above snippet, the $http service used to make a get request to the URL specified and then the data retrieved is assigned to the scope. As we see, the $http is passed into the controller function as an argument. It is recommended to use the $http, server request inside the service as we are in a way interacting with the data. Then, the service is injected into the Controller.

  • $interval: This as the name suggests, is an angular type for window.setInterval.
    JavaScript
    var app = angular.module('TestApp', []);
    app.controller('TestCtrl', function($scope, $interval) {
        $scope.theTime = new Date().toLocaleTimeString();
        $interval(function () {
            $scope.theTime = new Date().toLocaleTimeString();
        }, 1000);
    }); //reference for use from http://www.w3schools.com/angular/tryit.asp?filename=try_ng_services_interval
  • $location: Same as above, angular version of window.location.
  • $timeOut: Same as above, angular version of window.setTimeOut.

Dependency Injection

This is an interesting and most debated topic and angular provides this out of the box concept.

3 Out of the box.. ??

Dependency is required when we are looking for the loosely coupled codes, i.e., without directly exposing our services. The separation of concern is the major concern when DI comes into picture. Once our service is ready, we can inject to any other service or controller in Angular. The best example would be a Bakery shop. ??
Let's chalk out the plan with a simple snippet:

JavaScript
var app = angular.module('BakeryApp', []);
 
app.service('BakeryService', function() {
    //Declare or pass the prices as arg 
    this.Pizza = function(quantity) { return quantity * pizzaPrice };     
    this.Pastries =function(quantity) { return quantity * pastriesPrice };     
    this.Cakes= function(quantity) { return quantity * cakePrice};
});

//Injected Bakery Service to the 'BakeryCalculateService'
app.service('BakeryCalculateService', function(BakeryService){     
    this.PizzaPrice = function(qty) { return BakeryService.Pizza(qty); };
    this.CakePrice= function(qty) { return BakeryService.Cakes(qty); }; 
});

//Injected BakeryCalculateService.
app.controller('BakeryPriceController', function($scope, BakeryCalculateService) { 
    $scope.CalcPizzaRate= function() {
        $scope.PizzaRate = BakeryCalculateService.PizzaPrice ($scope.quantity);
    } 
    $scope.CalcCakeRate= function() {
        $scope.answer = BakeryCalculateService.CakePrice($scope.quantity);
    }
});

We can very well in the above example see the Dependency Injection and the separation of the main service, the layering that is set between the controller and the actual operations. This is very handy during maintenance as well. This is by law which every developer should abide by. ??

Do’s & Dont’s

Another interesting fact when we use the injection is the minification breakage. The angular code breaks when the injection is not done properly when the script files are usually bundled and minified.

The above Dependency Injection snippet we discussed, will break when the script is minified, bundled & deployed. The reason being, when minification takes place, it re-frames the variable names as ‘a’,’b’,’c’.., thus the parameters injected as $scope,$http will be now treated as a, b. Thus, this will break as there is no meaning injecting a b, may it be a controller or a service.

To avoid that, we usually modify the snippet and use the Angular attribute $inject, wherever Dependency is injected.

JavaScript
var testController= function(myCtrlScope, $http) {
  //We included $scope and the $http service into our controller.
  }
testController.$inject = ['$scope', '$http']

Since we are using $inject attribute on our controller, it would not be an issue using any name of the parameters to it.

Conclusion

Thus, we have discussed few interesting concepts this time and work around with live snippets. Still, we have not discussed the integration of angular with an MVC app using API. We will discuss in the upcoming articles of the series, before that we will be clear on the basic stuff that needs to be covered. :)

I hope this article helps. I am always open for corrections and suggestions.

Let's learn and share together.

This article was originally posted at http://surajpassion.in/hands-on-angular-js-iii

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
India India
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
-- There are no messages in this forum --