Binding Variations With Displaying Data - Angular Series Part Four

Today, we’ll learn how to display the data in Views, and how to apply the styles and classes on DOM elements dynamically. We’ll format the data using pipes and we’ll build custom pipes. We'll handle the events raised from the DOM elements. But before getting started, if you don't have prior knowledge of Building Blocks of Angular and TypeScript, then you should start your journey with Angular from here.

Property Binding

So, we’ve already learned about string interpolation which is the double curly braces syntax used to display data.

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.     <h2> {{ name }} </h2>  
  5.     <img src="{{ image }}" />  
  6.     `  
  7. })  
  8. export class CoursesComponent {  
  9.     name = "Usama";  
  10.     image = "http://www.gstatic.com/webp/gallery/1.jpg";  
  11. }  

Now, this string interpolation is just a syntactical sugar behind the scenes when Angular compiles the template, it translates these interpolations into property binding.

Now, let’s rewrite the image with property binding syntax instead of using string interpolation. So,

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.     <h2> {{ name }} </h2>           // 1st Statement  
  5.     <img src="{{ image }}" />         // 2nd Statement  
  6.       
  7.     <img [src]=”image” />         // Compiled Version of 2nd Statement  
  8.     `  
  9. })  

This is how it compiles the string interpolation under the hood. Note that we don’t have double curly braces here. So, when we use the data in string interpolation, Angular automatically compiles it into Angular compiled syntax.

And with this whenever the image field value changes the src attribute of this image is automatically updated.

Now, you might be wondering about whether to use String Interpolation or Original Syntax of Angular?

Well, Interpolation works well to add dynamic values between any element where we use text like headings, div, section, text etc. In the above example if we use property binding syntax with an h2 heading, we need to keep in mind how we will write the statements with property binding syntax.

  1. <h2 [textContent]=”name”></h2>  

Obviously this syntax is longer and noisier, so we recommend to use string interpolation wherever we want text in HTML elements. In other cases like in the image, property binding syntax is shorter. We can also use string interpolation as well in image case, but property binding syntax is cleaner and shorter.

Keep in mind, Property Binding Syntax only works in one way (component to DOM). So, if we make any changes in component class properties then it automatically changes the DOM but any changes in the DOM won’t be reflected back in the component.

In simple words, if we fill the fields in form then the values you enter can’t change the values of component properties, but if any changes occur in component fields then the DOM (form input fields) are automatically updated according to it.

Attribute Binding

We’ve seen property binding concept, now let’s explore the concept of attribute binding. Now our template code is,

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         <table>  
  5.             <tr>  
  6.                 <td [colspan]="colSpan"></td>  
  7.             </tr>  
  8.         </table>  
  9.     `  
  10. })  
  11. export class CoursesComponent {  
  12.     colSpan = 5;  
  13. }  

Now, save the file and run the application. Here, you’ll see the blank white screen which means something is not right there and there might be some error, now, open the console of the browser.

Now, to understand this error, first of all, we need to understand the difference of DOM (Document Object Model) and HTML.

DOM vs HTML

DOM is a model of objects that represent the structure of the document, it is essentially a tree of objects in memory.

Angular

HTML, on the other hand, is a markup language that we use to represent DOM in the text. So, when your browser parses an HTML document, it creates a tree of objects in memory that we refer to as the DOM (above picture). We can also create these tree of objects programmatically using vanilla Javascript. We don’t necessarily need HTML but using HTML is far simpler.

Important Point is most of the attributes of HTML elements have one to one mapping to properties of DOM object.

Angular

There are however a few exceptions; i.e. we’ve HTML attributes that don’t have representation in the DOM like colspan.

That’s why when we parse this template HTML markup of our component and create an actual DOM object for this td, the DOM object doesn’t have a property called colspan that’s why we get this error. So, colspan is an unknown property for td in DOM.

Also, we’ve properties in DOM that don’t have the representation in HTML i.e.

  1. <h1 [textContent]=”name”></h1>  

This [textContent] is the property of DOM object and in HTML, we don’t have such an attribute. Now, when using property binding, you should keep in mind that you’re actually binding to a property of DOM object not an attribute of HTML element. In 99% of cases, HTML attributes and DOM properties have 1 to 1 mapping but we’ve a few exceptions here and there. So, here we’re dealing with colspan attribute, if you want to bind this attribute of the td element, you need a slightly different syntax.

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         <table>  
  5.             <tr>  
  6.                 <td [attr.colspan]="colSpan"></td>  
  7.             </tr>  
  8.         </table>  
  9.     `  
  10. })  
  11. export class CoursesComponent {  
  12.     colSpan = 5;  
  13. }  

We just use,

attr.colspan

In this way, you’re telling Angular that we’re targeting colspan attribute of an HTML element.

Now, we don’t have any more errors in the browser console.

Adding Bootstrap

Yes, it is a very common question about how to add the Bootstrap in Angular Project. Bootstrap is actually HTML, CSS, Javascript Framework which makes the modern look and feel in the web applications. It also helps the design to make it responsive. You can learn Bootstrap from here.

Now, open Visual Studio Code Terminal and use npm to install the Bootstrap.

Statement: npm install Bootstrap - -save

We add dash dash save (- - without space) flag here.

What it does is, it first downloads bootstrap and stores it into the node_modules folder but the save flag also adds bootstrap as a dependency in a package.json.

You might be thinking about that the commands are case insensitive, that is not the case here. You have to name the package as it is mentioned in npmjs. Search in the search bar and when you find your package here, watch how to write the command in npm to install this package.

Angular

And then enter and here is the next procedure,

Angular

Here, you’ll get an idea how to install the package with npm. But if you’re trying wrong spellings or any letter is capital then you’ll face errors.

Angular

And you’ll even get an idea of how to resolve it.

Let’s come to the point, now our Bootstrap 3 version has been installed.

Statement: npm install [email protected] - -save

Angular

Now, open the package.json. Here, in the list of dependencies, we have the entry of bootstrap with the version number.

"bootstrap": "^3.3.7",

But what does this (^) carot character means? This version consists of 3 numbers.

major.minor.path

This carot character means that we can use the most recent major version. So we can use version 3.4, 3.5, 3.9 but if there is newer major version 4.0 or 5.0, we’re not gonna install that. We can upgrade to the most recent major version in this case, version 3.

What is the Benefit of Adding Entry In Package.Json?

When we check our application code to a source control management tool like Git, we’re not going to check in the Node_Modules folder. Node_Modules folder has tons of files which takes a fair amount of space on the disk. So, by listing all the dependencies inside package.json, anyone who can checkout this code from the source control repository. He can simply go to the terminal and install the packages with the help of this file.

Now, we’ve downloaded Bootstrap, and now we need to import its stylesheet into our styles.css. Open src > styles.css file, this is where we add global styles for our application. Here, we gonna import css statement and add the path of Bootstrap css file relative from the node_modules folder.

Angular

dist for distributable. So we need to import this boostrap.css in our styles.css file.

  1. @import "~bootstrap/dist/css/bootstrap.css";  

And save the file. Now, open the courses.component.ts and write the code as

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         <button class="btn btn-primary">Save</button>  
  5.     `  
  6. })  

And then run the application

Npm Command: ng serve

And it shows me this screen in browser.

Angular

Now, let’s make it something right in the browser. Add some padding in styles.css

  1. @import "~bootstrap/dist/css/bootstrap.css";  
  2.   
  3. body{  
  4.     padding: 20px;  
  5. }  

And save the file and after saving the file, here is the browser view.

Angular

Now, it is much better.

Class Binding

Sometimes we need to add the additional classes based on some conditions i.e. we want to apply the active class on button element based on the state of an underlying component, we use the variation of property binding for that. So, let’s start with property binding.

  1. <button class="btn btn-primary" [class.active]>Save</button>  

[Class.NameOfTargetClass] Now bind this with the field property in a component class.

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         <button class="btn btn-primary" [class.active]="isActive">Save</button>  
  5.     `  
  6. })  
  7. export class CoursesComponent {  
  8.     isActive = true;  
  9. }  

Save the file and back to the browser. Right click on Save Button and Inspect it,

Angular

Look here we have 3 classes. And if we change the value of isActive false in CoursesComponent and save the file

  1. export class CoursesComponent {  
  2.     isActive = false;  
  3. }  

Now, we have 2 classes there.

We refer to this syntax is Class Binding.

[Class.NameOfTargetClass]=”Property”

Now, let me clarify, we separate this class binding to the actual class attribute because we want to add btn btn-primary classes all the time on the button. And the 3rd one is for dynamic case, if property is true then it adds on otherwise it removes that’s why both of these attributes are separate.

Style Binding

We also have style binding which is again a variation of property binding but very similar to class binding. So back to our example, if we wanna apply some inline styles to this button based on some condition. We can write something like this,

[style.AnyPropertyOfStyleObjectInDOM]

For complete stuff of all the properties of DOM Style Object, search on Google (DOM style object properties) and you’ll see the first link of w3schools.

Now, we want to set this expression against any condition.

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         <button [style.backgroundColor]="isActive ? 'blue' : 'white'">Save</button>  
  5.     `  
  6. })  
  7. export class CoursesComponent {  
  8.     isActive = false;  
  9. }  

This is what we call styles binding.

Event Binding

We’ve learned a lot about property binding and its variations like class binding, attribute binding, style binding to add something in the DOM display data. In Angular, we also have event binding which we use to handle events raised from the DOM like keystrokes, mouse movements, clicks and so on. So, here we’ve again simple button. And we’ll handle the click event of this button.

So here, now instead of using square brackets [], we use parenthesis () and here we add the name of the event and then we bind this to a method in our component.

  1. import { Component } from '@angular/core';  
  2. import { CoursesService } from './courses.service';  
  3.   
  4. @Component({  
  5.     selector: 'courses',  
  6.     template: `  
  7.         <button (click)="onClick()">Save</button>  
  8.     `  
  9. })  
  10. export class CoursesComponent {  
  11.     onClick() {  
  12.         console.log("Button was Clicked");  
  13.     }  
  14. }  

Now, click the button and you’ll see the message in the console.

Angular

Now, sometimes we need to get access to the event object that was raised in the event handler i.e. with mouse movements, the event object will tell us the x and y position. If you want to get access to that event object, we need to add that as the parameter in the component method.

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         <button (click)="onClick($event)">Save</button>  
  5.     `  
  6. })  
  7. export class CoursesComponent {  
  8.     onClick($event) {  
  9.         console.log("Button was Clicked");  
  10.     }  
  11. }  

This $event object is something known to the Angular. In this case, we’re dealing with DOM object that’s the button. So this $event object will represent standard DOM event which we’ve seen in Javascript and JQuery.

Now let’s log this event.

  1. export class CoursesComponent {  
  2.     onClick($event) {  
  3.         console.log("Button was Clicked", $event);  
  4.     }  
  5. }  

And here is the values of standard DOM event object including many properties.

Angular

All the DOM events, all of the DOM tree unless handler along the way prevents further bubbling. This is just the standard event propagation mechanism in DOM, its not specific to Angular.

For example, wrap the button into the div and in this div wrap the click event and bind it, and log the message.

  1. import { Component } from '@angular/core';  
  2. import { CoursesService } from './courses.service';  
  3.   
  4. @Component({  
  5.     selector: 'courses',  
  6.     template: `  
  7.         <div (click)="onDivClicked()">  
  8.             <button (click)="onClick($event)">Save</button>  
  9.         </div>  
  10.     `  
  11. })  
  12. export class CoursesComponent {  
  13.     onClick($event) {  
  14.         console.log("Button was Clicked", $event);  
  15.     }  
  16.   
  17.     onDivClicked(){  
  18.         console.log("Salam Muhammad!");  
  19.     }  
  20. }  

Now, save the file and click the button in the browser. Here you’ll see the 2 messages.

Angular

First message is for button event and the 2nd message is for div. This is what we call Event Bubbling.

Angular

Event bubbles up the DOM Tree. So, to extend this example, we’ve another div or another element that contained this div and we handle the click event on that element, the event object will bubble up and hit the target handler.

How can we stop Event Bubbling?

  1. export class CoursesComponent {  
  2.     onClick($event) {  
  3.         $event.stopPropagation();  
  4.         console.log("Button was Clicked", $event);  
  5.     }  
  6.   
  7.     onDivClicked(){  
  8.         console.log("Salam Muhammad!");  
  9.     }  
  10. }  

Again, this is the standard method we’ve seen in Vanilla Javascript. This method is not going to hit the 2nd handler. Now save and try it.

Angular

Event Filtering

In Angular, we have this concept called Event Filtering. So here we have an input. Let’s say we handle the key of an event, here we’ll use parenthesis as well.

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         <input (keyup)="onKeyUp($event)" />  
  5.     `  
  6. })  
  7. export class CoursesComponent {  
  8.     onKeyUp($event){  
  9.           
  10.     }  
  11. }  

Here, let’s say we want to submit the form or perform some action only when the user press enter button.

  1. export class CoursesComponent {  
  2.     onKeyUp($event){  
  3.         if ($event.keyCode === 13) {  
  4.             console.log("Enter Was Pressed");  
  5.         }        
  6.     }  
  7. }  

This is the traditional way of doing this. But in Angular we have a better way to implement the exact same features. So, we can apply the filters when handling the events.

  1. import { Component } from '@angular/core';  
  2. import { CoursesService } from './courses.service';  
  3.   
  4. @Component({  
  5.     selector: 'courses',  
  6.     template: `  
  7.         <input (keyup.enter)="onKeyUp()" />  
  8.     `  
  9. })  
  10. export class CoursesComponent {  
  11.     onKeyUp(){  
  12.         console.log("Enter Was Pressed");  
  13.     }  
  14. }  

Now, this onKeyUp method will only call when we only press the enter. And now, we don’t need any function to pass the event to the component. And, now it is much cleaner, let’s try it

Angular

Template Variables

Now, continue with the last example, let’s imagine we get the value that we typed into the input field. How can we do this?

There are 2 ways.

  • One way is to use the event object
    1. @Component({  
    2.     selector: 'courses',  
    3.     template: `  
    4.         <input (keyup.enter)="onKeyUp($event)" />  
    5.     `  
    6. })  
    7. export class CoursesComponent {  
    8.     onKeyUp($event){  
    9.         console.log($event.target.value);  
    10.     }  
    11. }  

$event is the standard event object in DOM. It has a target property that references the input field and then we can get the value.

Now, try this and here is the result,

Angular
  • In Angular, we’ve another way to solve the same problem. Instead of passing $event object around. We can declare the variable in the template that references this input field.
    1. @Component({  
    2.     selector: 'courses',  
    3.     template: `  
    4.         <input #username (keyup.enter)="onKeyUp(username.value)" />  
    5.     `  
    6. })  
    7. export class CoursesComponent {  
    8.     onKeyUp(username){  
    9.         console.log(username);  
    10.     }  
    11. }  

So, this technique makes our code clean. And in lots of cases, we use template variables. And now, it is working same as before.

Two Way Binding

In the last example, we were using the username as a parameter, but this approach is not so good. In OOP, we have objects we pass  here and there. Because objects encapsulates data and some behavior so, if the object has all the data it needs, we don’t have to pass the parameters around. In the last example we’ve implement the Procedural Programming. We use to write this kind of code 30 years ago when we don’t have OOP.

Imagine if we have field Component class then we don’t have to pass the parameter in the method.

  1. export class CoursesComponent {  
  2.     username;  
  3.   
  4.     onKeyUp(){  
  5.         console.log(this.username);  
  6.     }  
  7. }  

And now it is much cleaner, easier to read, understand and maintain. Also if we are going back to the definition of component in Angular, remember component encapsulates the data, logic and html markup behind of view. Here, username field is used to encapsulate the data, and onKeyUp() method is the logic behind the view. And of course, here we also have HTML template.

We’ve already learned about property binding, so we can bind the value property of this input object in the DOM to this username field.

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         <input [value]="username" (keyup.enter)="onKeyUp()" />  
  5.     `  
  6. })  

And if we initialize the username with value.

  1. export class CoursesComponent {  
  2.     username = "Usama Shahid";  
  3.   
  4.     onKeyUp(){  
  5.         console.log(this.username);  
  6.     }  
  7. }  

Now, when we load the page, username input will popup with this value.

Angular

But, if we change the value here and press enter, it will not show you the changed value on the console.

Angular

Because of property binding, in property binding, the direction of the binding is from component to view. So, if the value in component field username changes in some point of time in future, the view will be notified and input field will automatically be updated.

Now, we need slightly different binding, 2 way binding (from component to view and from view to component)

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         <input [value]="username" (keyup.enter)="username = $event.target.value; onKeyUp()" />  
  5.     `  
  6. })  

The value of event binding, we can write any expression like we write here. So here we have two statements, one for setting the username and other one is to call the function. Now, let’s try this code

Angular

So, with this implementation, we have 2 way binding and this is the thing we may need in every application. We should not write all this repetitive code, for this purpose Angular has special syntax for implementing 2 way binding.

So, instead of property binding syntax, we use 2-way binding syntax. And here we bind ngModel. Now, what is ngModel? Our input DOM object doesn’t have the property called ngModel, this is what Angular adds in this DOM object. We’ve already seen ngFor directive, which is used to manipulate the DOM and here we’re using another directive for 2 way data binding. So, this implementation we have here is encapsulated in a generic way inside a directive called ngModel. And for this, we don’t have to repeat our code everytime.

  1. import { Component } from '@angular/core';  
  2. import { CoursesService } from './courses.service';  
  3.   
  4. @Component({  
  5.     selector: 'courses',  
  6.     template: `  
  7.         <input [value]="username" (keyup.enter)="username = $event.target.value; onKeyUp()" />  
  8.         <input [(ngModel)]="username" (keyup.enter)="onKeyUp()" />  
  9.     `  
  10. })  
  11. export class CoursesComponent {  
  12.     username = "Usama Shahid";  
  13.   
  14.     onKeyUp(){  
  15.         console.log(this.username);  
  16.     }  

You can see the 2nd line is cleaner and shorter than before. These two statements are just for the demo. Remove the first line and save the file and run the program. And here we have got the error in the browser.

Angular

And this error is already familiar. So, basically our input object doesn’t have the property called ngModel, something that Angular adds here. But why are we getting this error?

Angular Framework consists of several different modules, in every module we have a bunch of building blocks that are highly related. We have components, directives, pipes and these are highly related to each other. Not every application needs all the module in angular because when you bring all these modules, increase the code size. So this ngModel directive is defined in one of the modules called forms. And by default, it isn’t imported into the application. So, if you use ngModel or you build any kind of form, you need to explicitly import this module.

Now open app.module.ts and here we’ve imports array which has BrowserModule is the built-in module of Angular, it brings some features which almost every browser application needs. Here we need to add FormsModule in import array

  1. @NgModule({  
  2.   declarations: [  
  3.     AppComponent,  
  4.     CoursesComponent  
  5.   ],  
  6.   imports: [  
  7.     BrowserModule,  
  8.     FormsModule  
  9.   ],  
  10.   providers: [],  
  11.   bootstrap: [AppComponent]  
  12. })  
  13. export class AppModule { }  

And import this statement as well here

  1. import { FormsModule } from "@angular/forms";  

Now, take a look at the results and you’ll see our two way binding is working as it was working before.

Angular

Pipes

Another building block in Angular is Pipe. We use pipes to format data; i.e., we’ve a bunch of built-in pipes like.

  • Uppercase
  • Lowercase
  • Decimal
  • Currency
  • Percent

We can create our own custom pipes, we’ll learn it later on. But first of all, let’s see these built-in pipes in action. Here we have variables in template HTML.

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         {{ courses.title }} <br />  
  5.         {{ courses.students }} <br />  
  6.         {{ courses.rating | number }} <br />  
  7.         {{ courses.price }} <br />  
  8.         {{ courses.releaseDate }} <br />  
  9.     `  
  10. })  
  11. export class CoursesComponent {  
  12.     courses = {  
  13.         title: "Object Oriented Programming",  
  14.         rating: 4.9785,  
  15.         students: 10000,  
  16.         price: 195.123,  
  17.         releaseDate: new Date(2018, 6, 16)  
  18.     }  
  19. }  

Now, we can use the pipes to format our data.

Let’s start with the title, suppose we want to display it in uppercase. Apply the pipe operator and write the name of the pipe,

Angular

We can also chain multiple pipes here. The working scenario of multiple pipe statement is let’s suppose, this is the statement.

  1. {{ courses.title | uppercase | lowercase }} <br />  

Now, lowercase pipe will apply on the result of (courses.title | uppercase) this section.

Now, look at 10000 digits, to make it more readable we place the comma after every 3 digits like we do in decimal numbers. So, here we’ll apply decimal pipe. The keyword of this decimal pipe is number, even though the actual class in number is called decimal pipe.

Angular

Now, the 3rd number is 4.979. Now, with this number or decimal pipe, we have control over the integer digits as well as the number of digits after decimal point. So the syntax is,

  1. {{ templatevariable | number:’NumberOfIntegerDigits.NumberOfMinDigits-NumberOfMaxDigits’ }}  
  2. {{ courses.rating | number:'1.1-2' }} <br />  

And it shows us the result with a round off of the values.

Angular

Look it has also a round off of our value.

Now, we have price property, and we need to format it with currency pipe.

  1. {{ courses.price | currency }} <br />  

Angular

Now, if I want to apply multiple arguments in currency pipe, suppose we want to make it Australian Dollars and show its symbol

  1. {{ courses.price | currency:'AUD':true }} <br />  

And here is the result of this statement.

Angular

And if we want to limit the total number of integers and decimals after fraction minimum and the maximum number of digits.

  1. {{ courses.price | currency:'AUD':true:'3.1-2' }} <br />  

The purpose of these samples is just to make you aware of  different arguments of currency pipe.

And finally, we got releasedate. If you see the above image, you’ll know it is not so much readable for a human. So, here we need to apply date pipe

  1. {{ templatevariable | date:’FormatOfDate’ }}  

And if you want to see all the formats related to DatePipe open the Angular.io and search for DatePipe

Here, you’ll know that it is defined in @angular/common library. And our project has this by default. And is defined in CommonModule, we haven’t see CommonModule before. We’ve only seen BrowserModule but when you import BrowserModule, it also brings in CommonModule. CommonModule has a bunch of artifacts that all applications have whether they are browser applications or not. Here in this page, you’ll see all the formats available to you.

In AngularJS (1.x), we had 2 pipes or 2 filters more accurately for sorting and filtering data.

  • orderBy
  • filter

In Angular 2, we don’t have pipes due to some reasons. Because in Angular terms, these are expensive operations. That’s why Angular Team decided to drop these filters in Angular onward versions. That’s why they are not present now in current versions.

Custom Pipes

Here we’ll create the custom pipe which can summarize the text from a huge content. Here is our demo code,

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         {{ text }}          
  5.     `  
  6. })  
  7. export class CoursesComponent {  
  8.     text = `  
  9.     Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged.  
  10.     `  
  11. }  

Now let’s create the pipe named summary

  1. {{ text | summary }}        

Now generate the new file in app folder named ‘summary.pipe.ts’. Now in this file, we need to import a couple of types from Angular.

The first one is Pipe Decorator function and the 2nd one is PipeTransform which is an interface that defines the shape of all pipes in Angular.

Now like other conventions of component and services, export the SummaryPipe class and here we need to implement a PipeTransform interface.

Angular

Look it’s a compilation error because we have to implement the interface in the class. But we don’t know the interface body. So come on to the Angular.io and search for PipeTransform and this is how PipeTransform interface is defined.

Angular

Now we need to follow this signature here in our class. Transform method should have two parameters one is a value which is of any type and the other one is args which would be any type of array. And then finally we need to apply Pipe Decorator function here on the class and initialize the name property and fill the name property with the keyword that we have applied component template place.

  1. import { Pipe, PipeTransform } from '@angular/core';  
  2.   
  3. @Pipe({  
  4.     name: 'summary'  
  5. })  
  6. export class SummaryPipe implements PipeTransform {  
  7.     transform(value: any, args?: any) {  
  8.           
  9.     }  
  10. }  

And our component template code is,

  1. {{ text | summary }}     

Now in export class, we’ll implement very basic summarizing algorithm with some basic validations.

  1. export class SummaryPipe implements PipeTransform {  
  2.     transform(value: any, args?: any) {  
  3.         if (!value)  
  4.             return null;  
  5.     }  
  6. }  

We already know that any type can be anything, if you want intellisense in VS Code then change the type to string.

And here is our code,

  1. import { Pipe, PipeTransform } from '@angular/core';  
  2.   
  3. @Pipe({  
  4.     name: 'summary'  
  5. })  
  6. export class SummaryPipe implements PipeTransform {  
  7.     transform(value: string, args?: any) {  
  8.         if (!value)  
  9.             return null;  
  10.   
  11.         return value.substr(0, 50) + '...';  
  12.     }  
  13. }  

Now save the file and run the application. But here you’ll see the blank screen with Pipe ‘summary’ not defined Error in the console. As we’re creating a custom pipe, so obviously we need to register it in app module as well. So open the app.module.ts and register the SummaryPipe in app module declarations. Declarations block is all about registering components and pipes. And auto import plugin automatically adds the reference of SummaryPipe.

  1. declarations: [  
  2.     AppComponent,  
  3.     CoursesComponent,  
  4.     SummaryPipe  
  5.   ],  

Here is the code, if you’ve not installed auto import or VS Code. Then you can manually add the reference.

  1. import { SummaryPipe } from './summary.pipe';  

Now save the app module file and then again add a little space bar in SummaryPipe file to run the webpack for SummaryPipe file as well to generate the right compiled version of the application. It’s the basic concept, libraries comes first and then the code written by us. Similarly, if you’ve compiled your code first but don’t include the libraries and then after adding libraries. Don’t expect the right compiled version has been generated, unless you libraries comes first and then our code.

Angular

Now, let’s take it to the next level, back in the component I want to be able to supply the argument here.

  1. @Component({  
  2.     selector: 'courses',  
  3.     template: `  
  4.         {{ text | summary }}          
  5.     `  
  6. })  

Let’s apply the number of characters with summary.

  1. {{ text | summary:10 }}    

To implement this, let’s go to the SummaryPipe. And for more understandability, change the name of parameter and its type.

  1. export class SummaryPipe implements PipeTransform {  
  2.     transform(value: string, limit?: number) {  
  3.         if (!value)  
  4.             return null;  
  5.   
  6.         let actualLimit = limit ? limit : 50;  
  7.         return value.substr(0, actualLimit) + '...';  
  8.     }  
  9. }  

Now, run the application.

Angular

And it is working successfully. Now you might want more parameters in the custom pipe then don’t worry just add the parameters in transform method and use them in the body later on.

  1. transform(value: string, limit?: number, anotherValue?: string, name?: string)   
  2. {  
  3. }  

What We have Learn 

Now let’s build something on the basis of what we have learned in this complete article.

Task 1

You might have ever query your problems on Google and most of the time we get the stackoverflow results. In each question of stackoverflow, there is a feature to make any question featured.

 

Let’s build this star feature in Angular. How can we do it?

As we already discussed we use components for reusability purpose. Where we need this feature, we just call this specific component again and again. Let’s come to solution.

First of all let’s create the component with Angular CLI.

  1. PS C:\Users\Ami Jan\Dummy> cd ./MyDummyProject/  
  2. PS C:\Users\Ami Jan\Dummy\MyDummyProject> ng g c star   
Now open star.component.ts. As we’re changing the state of any question so bit/boolean datatype comes into our minds where we just make something true false or 0 1. So let’s make the boolean variable in star.component.ts
  1. export class StarComponent implements OnInit {  
  2.   isFavorite: boolean;  
  3.   
  4.   constructor() { }  
  5.   
  6.   ngOnInit() {  
  7.   }  
  8.   
  9. }  

When we build the component through Angular CLI then boilerplate code contains the component selector as ‘app-NameofComponent’. Actually it helps to reduce the clash when we are using 3rd party libraries in Angular. But as we’re doing just for practice. So there is no issue if you remove app- prefix in the component selector.

  1. @Component({  
  2.   selector: 'star',  
  3.   templateUrl: './star.component.html',  
  4.   styleUrls: ['./star.component.css']  
  5. })  

Now save the component file and open its html file. If you open the bootstrap 3 site, here you’ll see the glyphicons in component section. Although they’re obsolete now in bootstrap 4 but if you’re using bootstrap 3 then you can easily use these glyphicons still now. And here we’ve star glyphicons so let’s use these glyphicon classes in our component html.

  1. <span class="glyphicon"  
  2.       [class.glyphicon-star]="isFavorite"  
  3.       [class.glyphicon-star-empty]="!isFavorite"  
  4. ></span>  
Look here we’re using Property binding syntax to bind the isFavorite variable of star component. We’re already know that property binding just works in 1 way from component to view. So here we also event binding syntax to change the value of component variable as well and when the isFavorite variable updates its value then we can execute our both class binding properties successfully, if isFavorite is false then glyphicon-star-empty class attaches with html element if it is true then obviously glyphicon-star comes into the picture.
  1. <span class="glyphicon"  
  2.       [class.glyphicon-star]="isFavorite"  
  3.       [class.glyphicon-star-empty]="!isFavorite"  
  4.       (click)="onClick()"  
  5. ></span>  

And now our star.component.ts code is

  1. export class StarComponent implements OnInit {  
  2.   isFavorite: boolean;  
  3.   
  4.   constructor() { }  
  5.   
  6.   ngOnInit() {  
  7.   }  
  8.   
  9.   onClick() {  
  10.     this.isFavorite = !this.isFavorite;  
  11.   }  
  12. }  

Here our onClick() function updates the value on click event. If isFavorite was true then it becomes false and if it is false then it will become true. Now it is the time to consume our star component. So let’s open app.component.html and place the star component selector there.

  1. <star></star>  

Now save all the files and observe the results there. And yes it is working successfully as we expects.

Task 2

Now let’s make something new by using custom pipes. Let’s make an input textbox where we write something and it prints as it is on the screen below to the textbox. But in the complete sentence we print our propositions in the lowercase and the remaining text will be capitalize each word.
 

Open app.component.html and paste the code,

  1. <input type="text" [(ngModel)]="title" >  
  2. <br/>  
  3. {{ title }}  
This is how we echo the code on the screen. You might be thinking that why I don’t make an extra component here. Because here we’re just displaying the data which we input in the textbox there is not any extra operation. Also make sure that you’ve imported the FormsModule in app.module.ts because ngModel is define in FormsModule. Now open the app.component.ts
  1. import { Component } from '@angular/core';  
  2.   
  3. @Component({  
  4.   selector: 'app-root',  
  5.   templateUrl: './app.component.html',  
  6.   styleUrls: ['./app.component.css']  
  7. })  
  8. export class AppComponent {  
  9.   title: string;  
  10. }  

Here we define title variable which is of type string. Now we want to create a custom pipe where we code to format the data. So,

  1. PS C:\Users\Ami Jan\Dummy\MyDummyProject> ng g p title-case  

And here is our pipe code.

  1. import { Pipe, PipeTransform } from '@angular/core';  
  2.   
  3. @Pipe({  
  4.   name: 'titleCase'  
  5. })  
  6. export class TitleCasePipe implements PipeTransform {  
  7.   
  8.   transform(value: string): any {  
  9.     if (!value)   
  10.       return null;  
  11.       
  12.     let prepositions = [  
  13.       'of',  
  14.       'the'  
  15.     ];  
  16.         
  17.     let words = value.split(' ');  
  18.     for (let i = 0; i < words.length; i++) {  
  19.       if (i > 0 && prepositions.includes(words[i].toLowerCase()))   
  20.         words[i] = words[i].toLowerCase();  
  21.       else  
  22.         words[i] = words[i].substr(0, 1).toUpperCase() + words[i].substr(1).toLowerCase();  
  23.     }  
  24.   
  25.     return words.join(' ');  
  26.   }  
  27. }  
English language has more that 40 prepositions but here we’re just dealing the things just for the learning and testing purpose. Let me elaborate you the code line by line.
  1. let prepositions = [  
  2.   'of',  
  3.   'the'  
  4. ];  

So this is the list of prepositions which we check in our complete sentence.

  1. let words = value.split(' ');  
split function actually returns an array of characters. In split function we provide the character where you’re breaking our sentence. As we’ve many whitespaces in a sentence so the sentence breaks into words and all the words comes into words variable in the form of array.
  1.     for (let i = 0; i < words.length; i++) {  
  2.       if (i > 0 && prepositions.includes(words[i].toLowerCase()))   
  3.         words[i] = words[i].toLowerCase();  
  4.       else  
  5.         words[i] = words[i].substr(0, 1).toUpperCase() + words[i].substr(1).toLowerCase();  
  6.     }  

And here we loop on the array elements length and check if propositions contains the word which we’ve in the counter of the loop (words[i]) then we make these words lowercase and assign it back to the position of element of array. And if the words doesn’t belongs to preposition array, we make its first letter uppercase and remaining letter lowercase. One more thing we’re not applying these changes of words if it is the starting of sentence so we use i > 0 to exclude this s

And now it is the time to apply the pipe on the element.
  1. {{ title | titleCase }}  

Now save all the files and test the program. And yes now it is working successfully. It is printing the complete words of sentence in capitalize except proposition words. 

Conclusion

Here we’ve learned a lot of things, we’veseen different variation approaches of data binding even how we can bind classes, attributes, properties, style and events. We’ve learned how to add the package in the application and how to filter the events in the application. We’veseen different programming approaches like procedural and Object Oriented. We’veseen how to enable two way binding and how to format the data with pipes. And if in some situations we need to develop custom pipe then we’ve also developed a custom pipe as well. The most interesting concept is DOM vs HTML. Honestly speaking when I was writing it, personally I was enjoying this concept a lot. Event Bubbling is also so useful, you should have  knowledge of it. This is how Javscript family languages work under the hood. Now we have a lot of experience with the things to display the data on the screen and how things work.


Similar Articles