Welcome to Knowledge Base!

KB at your finger tips

This is one stop global knowledge base where you can learn about all the products, solutions and support features.

Categories
All

Web-Angular

Angular - <ng-container>

<ng-container> link

A special element that can hold structural directives without adding new elements to the DOM.

See more...

Description link

The <ng-container> allows us to use structural directives without any extra element, making sure that the only DOM changes being applied are those dictated by the directives themselves.

This not only increases performance (even so slightly) since the browser ends up rendering less elements but can also be a valuable asset in having cleaner DOMs and styles alike.

It can for example enable us to use structural directives without breaking styling dependent on a precise DOM structure (as for example the ones we get when using flex containers, margins, the child combinator selector, etc.).

Further information is available in the Usage Notes...

Usage notes link

With *NgIf s link

One common use case of <ng-container> is alongside the *ngIf structural directive. By using the special element we can produce very clean templates easy to understand and work with.

For example, we may want to have a number of elements shown conditionally but they do not need to be all under the same root element. That can be easily done by wrapping them in such a block:

      
      <ng-container *ngIf="condition"></ng-container>
    

This can also be augmented with an else statement alongside an <ng-template> as:

      
      <ng-container *ngIf="condition; else templateA"></ng-container>
<ng-template #templateA></ng-template>
    

Combination of multiple structural directives link

Multiple structural directives cannot be used on the same element; if you need to take advantage of more than one structural directive, it is advised to use an <ng-container> per structural directive.

The most common scenario is with *ngIf and *ngFor . For example, let's imagine that we have a list of items but each item needs to be displayed only if a certain condition is true. We could be tempted to try something like:

      
      <ul>
  <li *ngFor="let item of items" *ngIf="item.isValid">
    {{ item.name }}
  </li>
</ul>
    

As we said that would not work, what we can do is to simply move one of the structural directives to an <ng-container> element, which would then wrap the other one, like so:

      
      <ul>
  <ng-container *ngFor="let item of items">
    <li *ngIf="item.isValid">
      {{ item.name }}
    </li>
  </ng-container>
</ul>
    

This would work as intended without introducing any new unnecessary elements in the DOM.

For more information see one structural directive per element.

Use alongside ngTemplateOutlet link

The NgTemplateOutlet directive can be applied to any element but most of the time it's applied to <ng-container> ones. By combining the two, we get a very clear and easy to follow HTML and DOM structure in which no extra elements are necessary and template views are instantiated where requested.

For example, imagine a situation in which we have a large HTML, in which a small portion needs to be repeated in different places. A simple solution is to define an <ng-template> containing our repeating HTML and render that where necessary by using <ng-container> alongside an NgTemplateOutlet .

Like so:

      
      <!-- … -->

<ng-container *ngTemplateOutlet="tmpl; context: {$implicit: 'Hello'}">
</ng-container>

<!-- … -->

<ng-container *ngTemplateOutlet="tmpl; context: {$implicit: 'World'}">
</ng-container>

<!-- … -->

<ng-template #tmpl let-text>
  <h1>{{ text }}</h1>
</ng-template>
    

For more information regarding NgTemplateOutlet , see the NgTemplateOutlet s api documentation page.

Angular - <ng-content>

<ng-content> link

The <ng-content> element specifies where to project content inside a component template.

See more...

Description link

@elementAttribute select="selector"

Only select elements from the projected content that match the given CSS selector .

Read article

Angular - Animate state and style

Animate state and style link

You can define a set of styles together to make up a specific state for animating elements and transitions. These states represent style at certain points in your animations that you can animate to and from. For example, you can animate a state as the starting point to a different state and the end of an animation.

What is a state? link

A state is the condition of an animation. The Angular state() function takes two parameters: a unique name and a style. There is also an optional parameter.

Why would you want to use state? link

Aliasing a set of styles and allows you to reference that alias for animations in general. This can make animations more readable or more understandable at a glance. You can give animations a useful and descriptive state name, which allows you to quickly understand the purpose of that animation state.

Use Angular's state() function to define different states to call at the end of each transition. This function takes two arguments: A unique name like open or closed and a style() function.

Use the style() function to define a set of styles to associate with a given state name. You must use camelCase for style attributes that contain dashes, such as backgroundColor or wrap them in quotes, such as 'background-color' .

Angular's state() function works with the style⁣­(⁠) function to set CSS style attributes. In this code snippet, multiple style attributes are set at the same time for the state. In the open state, the button has a height of 200 pixels, an opacity of 1, and a yellow background color.

src/app/open-close.component.ts
      
      // ...
state('open', style({
  height: '200px',
  opacity: 1,
  backgroundColor: 'yellow'
})),
    

In the following closed state, the button has a height of 100 pixels, an opacity of 0.8, and a background color of blue.

src/app/open-close.component.ts
      
      state('closed', style({
  height: '100px',
  opacity: 0.8,
  backgroundColor: 'blue'
})),
    
Last reviewed on Fri Oct 28 2022
Read article

Angular - <ng-template>

<ng-template> link

Angular's <ng-template> element defines a template that is not rendered by default.

See more...

Description link

With <ng-template> , you can define template content that is only being rendered by Angular when you, whether directly or indirectly, specifically instruct it to do so, allowing you to have full control over how and when the content is displayed.

Note that if you wrap content inside an <ng-template> without instructing Angular to render it, such content will not appear on a page. For example, see the following HTML code, when handling it Angular won't render the middle "Hip!" in the phrase "Hip! Hip! Hooray!" because of the surrounding <ng-template> .

      
      <p>Hip!</p>
<ng-template>
  <p>Hip!</p>
</ng-template>
<p>Hooray!</p>
    

Further information is available in the Usage Notes...

Usage notes link

Structural Directives link

One of the main uses for <ng-template> is to hold template content that will be used by Structural directives. Those directives can add and remove copies of the template content based on their own logic.

When using the structural directive shorthand, Angular creates an <ng-template> element behind the scenes.

TemplateRef link

<ng-template> elements are represented as instances of the TemplateRef class.

To add copies of the template to the DOM, pass this object to the ViewContainerRef method createEmbeddedView() .

Template Variables link

<ng-template> elements can be referenced in templates using standard template variables.

This is how <ng-template> elements are used as ngIf else clauses.

Such template variables can be used in conjunction with ngTemplateOutlet directives to render the content defined inside <ng-template> tags.

Querying link

A Query (such as ViewChild ) can find the TemplateRef associated to an <ng-template> element so that it can be used programmatically; for instance, to pass it to the ViewContainerRef method createEmbeddedView() .

Context link

Inside the <ng-template> tags you can reference variables present in the surrounding outer template. Additionally, a context object can be associated with <ng-template> elements. Such an object contains variables that can be accessed from within the template contents via template ( let and as ) declarations.

Read article

Angular - Accessibility in Angular

Accessibility in Angular link

The web is used by a wide variety of people, including those who have visual or motor impairments. A variety of assistive technologies are available that make it much easier for these groups to interact with web-based software applications. Also, designing an application to be more accessible generally improves the user experience for all users.

For an in-depth introduction to issues and techniques for designing accessible applications, see the Accessibility section of the Google's Web Fundamentals.

This page discusses best practices for designing Angular applications that work well for all users, including those who rely on assistive technologies.

For the sample application that this page describes, see the live example / download example .

Accessibility attributes link

Building accessible web experience often involves setting Accessible Rich Internet Applications (ARIA) attributes to provide semantic meaning where it might otherwise be missing. Use attribute binding template syntax to control the values of accessibility-related attributes.

When binding to ARIA attributes in Angular, you must use the attr. prefix. The ARIA specification depends specifically on HTML attributes rather than properties of DOM elements.

      
      <!-- Use attr. when binding to an ARIA attribute -->
<button [attr.aria-label]="myActionLabel"></button>
    

NOTE
This syntax is only necessary for attribute bindings . Static ARIA attributes require no extra syntax.

      
      <!-- Static ARIA attributes require no extra syntax -->
<button aria-label="Save document"></button>
    

By convention, HTML attributes use lowercase names ( tabindex ), while properties use camelCase names ( tabIndex ).

See the Binding syntax guide for more background on the difference between attributes and properties.

Angular UI components link

The Angular Material library, which is maintained by the Angular team, is a suite of reusable UI components that aims to be fully accessible. The Component Development Kit (CDK) includes the a11y package that provides tools to support various areas of accessibility. For example:

  • LiveAnnouncer is used to announce messages for screen-reader users using an aria-live region. See the W3C documentation for more information on aria-live regions.

  • The cdkTrapFocus directive traps Tab-key focus within an element. Use it to create accessible experience for components such as modal dialogs, where focus must be constrained.

For full details of these and other tools, see the Angular CDK accessibility overview.

Augmenting native elements link

Native HTML elements capture several standard interaction patterns that are important to accessibility. When authoring Angular components, you should re-use these native elements directly when possible, rather than re-implementing well-supported behaviors.

For example, instead of creating a custom element for a new variety of button, create a component that uses an attribute selector with a native <button> element. This most commonly applies to <button> and <a> , but can be used with many other types of element.

You can see examples of this pattern in Angular Material: MatButton , MatTabNav , and MatTable .

Using containers for native elements link

Sometimes using the appropriate native element requires a container element. For example, the native <input> element cannot have children, so any custom text entry components need to wrap an <input> with extra elements. By just including <input> in your custom component's template, it's impossible for your component's users to set arbitrary properties and attributes to the <input> element. Instead, create a container component that uses content projection to include the native control in the component's API.

You can see MatFormField as an example of this pattern.

Case study: Building a custom progress bar link

The following example shows how to make a progress bar accessible by using host binding to control accessibility-related attributes.

  • The component defines an accessibility-enabled element with both the standard HTML attribute role , and ARIA attributes. The ARIA attribute aria-valuenow is bound to the user's input.

    src/app/progress-bar.component.ts
          
          import { Component, Input } from '@angular/core';
    
    /**
     * Example progressbar component.
     */
    @Component({
      selector: 'app-example-progressbar',
      template: '<div class="bar" [style.width.%]="value"></div>',
      styleUrls: ['./progress-bar.component.css'],
      host: {
        // Sets the role for this component to "progressbar"
        role: 'progressbar',
    
        // Sets the minimum and maximum values for the progressbar role.
        'aria-valuemin': '0',
        'aria-valuemax': '100',
    
        // Binding that updates the current value of the progressbar.
        '[attr.aria-valuenow]': 'value',
      }
    })
    export class ExampleProgressbarComponent  {
      /** Current value of the progressbar. */
      @Input() value = 0;
    }
        
  • In the template, the aria-label attribute ensures that the control is accessible to screen readers.

    src/app/app.component.html
          
          <label>
      Enter an example progress value
      <input type="number" min="0" max="100"
          [value]="progress" (input)="setProgress($event)">
    </label>
    
    <!-- The user of the progressbar sets an aria-label to communicate what the progress means. -->
    <app-example-progressbar [value]="progress" aria-label="Example of a progress bar">
    </app-example-progressbar>
        

Routing link

Focus management after navigation link

Tracking and controlling focus in a UI is an important consideration in designing for accessibility. When using Angular routing, you should decide where page focus goes upon navigation.

To avoid relying solely on visual cues, you need to make sure your routing code updates focus after page navigation. Use the NavigationEnd event from the Router service to know when to update focus.

The following example shows how to find and focus the main content header in the DOM after navigation.

      
      router.events.pipe(filter(e => e instanceof NavigationEnd)).subscribe(() => {
  const mainHeader = document.querySelector('#main-content-header')
  if (mainHeader) {
    mainHeader.focus();
  }
});
    

In a real application, the element that receives focus depends on your specific application structure and layout. The focused element should put users in a position to immediately move into the main content that has just been routed into view. You should avoid situations where focus returns to the body element after a route change.

CSS classes applied to active RouterLink elements, such as RouterLinkActive , provide a visual cue to identify the active link. Unfortunately, a visual cue doesn't help blind or visually impaired users. Applying the aria-current attribute to the element can help identify the active link. For more information, see Mozilla Developer Network (MDN) aria-current).

The RouterLinkActive directive provides the ariaCurrentWhenActive input which sets the aria-current to a specified value when the link becomes active.

The following example shows how to apply the active-page class to active links as well as setting their aria-current attribute to "page" when they are active:

      
      <nav>
  <a routerLink="home"
     routerLinkActive="active-page"
     ariaCurrentWhenActive="page">
    Home
  </a>
  <a routerLink="about"
     routerLinkActive="active-page"
     ariaCurrentWhenActive="page">
    About
  </a>
  <a routerLink="shop"
     routerLinkActive="active-page"
     ariaCurrentWhenActive="page">
    Shop
  </a>
</nav>
    

More information link

  • Accessibility - Google Web Fundamentals
  • ARIA specification and authoring practices
  • Material Design - Accessibility
  • Smashing Magazine
  • Inclusive Components
  • Accessibility Resources and Code Examples
  • W3C - Web Accessibility Initiative
  • Rob Dodson A11ycasts
  • Angular ESLint provides linting rules that can help you make sure your code meets accessibility standards.

Books

  • "A Web for Everyone: Designing Accessible User Experiences," Sarah Horton and Whitney Quesenbery
  • "Inclusive Design Patterns," Heydon Pickering
Last reviewed on Mon Feb 28 2022
Read article

Angular - AngularJS to Angular concepts: Quick reference

AngularJS to Angular concepts: Quick reference link

Angular is the name for the Angular of today and tomorrow.

AngularJS is the name for all v1.x versions of Angular.

This guide helps you transition from AngularJS to Angular by mapping AngularJS syntax to the corresponding Angular syntax.

See the Angular syntax in this live example / download example .

Template basics link

Templates are the user-facing part of an Angular application and are written in HTML. The following table lists some of the key AngularJS template features with their corresponding Angular template syntax.

Bindings / interpolation → bindings / interpolation link

AngularJS Angular
Bindings/interpolation
      
      Your favorite hero is: {{vm.favoriteHero}}
    
In AngularJS, an expression in curly braces denotes one-way binding. This binds the value of the element to a property in the controller associated with this template.
When using the controller as syntax, the binding is prefixed with the controller alias vm or $ctrl because you have to be specific about the source.
Bindings/interpolation
      
      Your favorite hero is: {{favoriteHero}}
    
In Angular, a template expression in curly braces still denotes one-way binding. This binds the value of the element to a property of the component. The context of the binding is implied and is always the associated component, so it needs no reference variable.
For more information, see the Interpolation guide.

Filters → pipes link

AngularJS Angular
Filters
      
      <td> 
  {{movie.title | uppercase}} 
</td>
    
To filter output in AngularJS templates, use the pipe | character and one or more filters.
This example filters the title property to uppercase.
Pipes
      
      <td>{{movie.title | uppercase}}</td>
    
In Angular you use similar syntax with the pipe | character to filter output, but now you call them pipes . Many, but not all, of the built-in filters from AngularJS are built-in pipes in Angular.
For more information, see Filters/pipes.

Local variables → input variables link

AngularJS Angular
Local variables
      
      <tr ng-repeat="movie in vm.movies"> 
  <td> 
    {{movie.title}} 
  </td> 
</tr>
    
Here, movie is a user-defined local variable.
Input variables
      
      <tr *ngFor="let movie of movies">
  <td>{{movie.title}}</td>
</tr>
    
Angular has true template input variables that are explicitly defined using the let keyword.
For more information, see the Structural directive shorthand section of Structural Directives.

Template directives link

AngularJS provides more than seventy built-in directives for templates. Many of them are not needed in Angular because of its more capable and expressive binding system. The following are some of the key AngularJS built-in directives and their equivalents in Angular.

ng-app → bootstrapping link

AngularJS Angular
ng-app
      
      <body ng-app="movieHunter">
    
The application startup process is called bootstrapping .
Although you can bootstrap an AngularJS application in code, many applications bootstrap declaratively with the ng-app directive, giving it the name of the module ( movieHunter ) of the application.
Bootstrapping
main.ts
      
      import { platformBrowserDynamic } from '@angular/platform-browser-dynamic';

import { AppModule } from './app/app.module';

platformBrowserDynamic().bootstrapModule(AppModule)
  .catch(err => console.error(err));
    
app.module.ts
      
      import { NgModule } from '@angular/core';
import { BrowserModule } from '@angular/platform-browser';

import { AppComponent } from './app.component';

@NgModule({
  imports: [ BrowserModule ],
  declarations: [ AppComponent ],
  bootstrap: [ AppComponent ]
})
export class AppModule { }
    
Angular does not have a bootstrap directive. To launch the application in code, explicitly bootstrap the root module ( AppModule ) of the application in main.ts and the root component ( AppComponent ) of the application in app.module.ts .

ng-class ngClass link

AngularJS Angular
ng-class
      
      <div ng-class="{active: isActive}"> 
<div ng-class="{active: isActive, shazam: isImportant}">
    
In AngularJS, the ng-class directive includes/excludes CSS classes based on an expression. The expression is often a key-value object, with key defined as a CSS class name, and value as a template expression that evaluates to a Boolean.
In the first example, the active class is applied to the element if isActive is true.
You can specify multiple classes, as shown in the second example.
ngClass
      
      <div [ngClass]="{'active': isActive}">
<div [ngClass]="{'active': isActive,
                 'shazam': isImportant}">
<div [class.active]="isActive">
    
In Angular, the ngClass directive works similarly. It includes/excludes CSS classes based on an expression.
In the first example, the active class is applied to the element if isActive is true.
You can specify multiple classes, as shown in the second example.
Angular also has class binding , which is a good way to add or remove a single class, as shown in the third example.
For more information see Attribute, class, and style bindings page.

ng-click → Bind to the click event link

AngularJS Angular
ng-click
      
      <button ng-click="vm.toggleImage()"> 
<button ng-click="vm.toggleImage($event)">
    
In AngularJS, the ng-click directive allows you to specify custom behavior when an element is clicked.
In the first example, when the user clicks the button, the toggleImage() method in the controller referenced by the vm controller as alias is executed.
The second example demonstrates passing in the $event object, which provides details about the event to the controller.
Bind to the click event
      
      <button type="button" (click)="toggleImage()">
<button type="button" (click)="toggleImage($event)">
    
AngularJS event-based directives do not exist in Angular. Rather, define one-way binding from the template view to the component using event binding .
For event binding, define the name of the target event within parenthesis and specify a template statement, in quotes, to the right of the equals. Angular then sets up an event handler for the target event. When the event is raised, the handler executes the template statement.
In the first example, when a user clicks the button, the toggleImage() method in the associated component is executed.
The second example demonstrates passing in the $event object, which provides details about the event to the component.
For a list of DOM events, see Event reference.
For more information, see the Event binding page.

ng-controller → component decorator link

AngularJS Angular
ng-controller
      
      <div ng-controller="MovieListCtrl as vm">
    
In AngularJS, the ng-controller directive attaches a controller to the view. Using the ng-controller , or defining the controller as part of the routing, ties the view to the controller code associated with that view.
Component decorator
      
      @Component({
  selector: 'app-movie-list',
  templateUrl: './movie-list.component.html',
  styleUrls: [ './movie-list.component.css' ],
})
    
In Angular, the template no longer specifies its associated controller. Rather, the component specifies its associated template as part of the component class decorator.
For more information, see Architecture Overview.

ng-hide → Bind to the hidden property link

AngularJS Angular
ng-hide
In AngularJS, the ng-hide directive shows or hides the associated HTML element based on an expression. For more information, see ng-show.
Bind to the hidden property
In Angular, you use property binding. Angular does not have a built-in hide directive. For more information, see ng-show.

ng-href → Bind to the href property link

AngularJS Angular
ng-href
      
      <a ng-href="{{ angularDocsUrl }}"> 
  Angular Docs 
</a>
    
The ng-href directive allows AngularJS to preprocess the href property. ng-href can replace the binding expression with the appropriate URL before the browser fetches from that URL.
In AngularJS, the ng-href is often used to activate a route as part of navigation.
      
      <a ng-href="#{{ moviesHash }}"> 
  Movies 
</a>
    
Routing is handled differently in Angular.
Bind to the href property
      
      <a [href]="angularDocsUrl">Angular Docs</a>
    
Angular uses property binding. Angular does not have a built-in href directive. Place the href property of the element in square brackets and set it to a quoted template expression. For more information see the Property binding page. In Angular, href is no longer used for routing. Routing uses routerLink , as shown in the following example.
      
      <a [routerLink]="['/movies']">Movies</a>
    
For more information on routing, see Defining a basic route in the Routing & Navigation page.

ng-if *ngIf link

AngularJS Angular
ng-if
      
      <table ng-if="movies.length">
    
In AngularJS, the ng-if directive removes or recreates a section of the DOM, based on an expression. If the expression is false, the element is removed from the DOM.
In this example, the <table> element is removed from the DOM unless the movies array has a length greater than zero.
*ngIf
      
      <table *ngIf="movies.length">
    
The *ngIf directive in Angular works the same as the ng-if directive in AngularJS. It removes or recreates a section of the DOM based on an expression.
In this example, the <table> element is removed from the DOM unless the movies array has a length.
The ( * ) before ngIf is required in this example. For more information, see Structural Directives.

ng-model ngModel link

AngularJS Angular
ng-model
      
      <input ng-model="vm.favoriteHero" />
    
In AngularJS, the ng-model directive binds a form control to a property in the controller associated with the template. This provides two-way binding whereby changes result in the value in the view and the model being synchronized.
ngModel
      
      <input [(ngModel)]="favoriteHero" />
    
In Angular, two-way binding is indicatedr5t by [()] , descriptively referred to as a "banana in a box." This syntax is a shortcut for defining both:
  • property binding, from the component to the view
  • event binding, from the view to the component
thereby providing two-way binding.
For more information on two-way binding with ngModel , see the Displaying and updating properties with ngModel section of Built-in directives.

ng-repeat *ngFor link

AngularJS Angular
ng-repeat
      
      <tr ng-repeat="movie in vm.movies">
    
In AngularJS, the ng-repeat directive repeats the associated DOM element for each item in the specified collection.
In this example, the table row ( <tr> ) element repeats for each movie object in the collection of movies.
*ngFor
      
      <tr *ngFor="let movie of movies">
    
The *ngFor directive in Angular is like the ng-repeat directive in AngularJS. It repeats the associated DOM element for each item in the specified collection. More accurately, it turns the defined element ( <tr> in this example) and its contents into a template and uses that template to instantiate a view for each item in the list.
Notice the other syntax differences:
  • The ( * ) before ngFor is required
  • The let keyword identifies movie as an input variable
  • The list preposition is of , not in
For more information, see Structural Directives.

ng-show → Bind to the hidden property link

AngularJS Angular
ng-show
      
      <h3 ng-show="vm.favoriteHero"> 
  Your favorite hero is: {{vm.favoriteHero}} 
</h3>
    
In AngularJS, the ng-show directive shows or hides the associated DOM element, based on an expression.
In this example, the <div> element is shown if the favoriteHero variable is truthy.
Bind to the hidden property
      
      <h3 [hidden]="!favoriteHero">
  Your favorite hero is: {{favoriteHero}}
</h3>
    
Angular uses property binding. Angular has no built-in show directive. For hiding and showing elements, bind to the HTML hidden property.
To conditionally display an element the hidden property of the element can be used. Place the hidden property in square brackets and set it to a quoted template expression that evaluates to the opposite of show .
In this example, the <div> element is hidden if the favoriteHero variable is not truthy.
For more information on property binding, see the Property binding page.

ng-src → Bind to the src property link

AngularJS Angular
ng-src
      
      <img ng-src="{{movie.imageurl}}">
    
The ng-src directive allows AngularJS to preprocess the src property. This replaces the binding expression with the appropriate URL before the browser fetches from that URL.
Bind to the src property
      
      <img [src]="movie.imageurl" [alt]="movie.title">
    
Angular uses property binding. Angular has no built-in src directive. Place the src property in square brackets and set it to a quoted template expression.
For more information on property binding, see the Property binding page.

ng-style ngStyle link

AngularJS Angular
ng-style
      
      <div ng-style="{color: colorPreference}">
    
In AngularJS, the ng-style directive sets a CSS style on an HTML element based on an expression. That expression is often a key-value control object with:
  • each key of the object defined as a CSS property
  • each value defined as an expression that evaluates to a value appropriate for the style
In the example, the color style is set to the current value of the colorPreference variable.
ngStyle
      
      <div [ngStyle]="{'color': colorPreference}">
<div [style.color]="colorPreference">
    
In Angular, the ngStyle directive works similarly. It sets a CSS style on an HTML element based on an expression.
In the first example, the color style is set to the current value of the colorPreference variable.
Angular also has style binding , which is good way to set a single style. This is shown in the second example.
For more information on style binding, see the Style binding section of the Attribute binding page.
For more information on the ngStyle directive, see the NgStyle section of the Built-in directives page.

ng-switch ngSwitch link

AngularJS Angular
ng-switch
      
      <div ng-switch="vm.favoriteHero && vm.checkMovieHero(vm.favoriteHero)"> 
  <div ng-switch-when="true"> 
    Excellent choice. 
  </div> 
  <div ng-switch-when="false"> 
    No movie, sorry. 
  </div> 
  <div ng-switch-default> 
    Please enter your favorite hero. 
  </div> 
</div>
    
In AngularJS, the ng-switch directive swaps the contents of an element by selecting one of the templates based on the current value of an expression.
In this example, if favoriteHero is not set, the template displays "Please enter …" If favoriteHero is set, it checks the movie hero by calling a controller method. If that method returns true , the template displays "Excellent choice!" If that methods returns false , the template displays "No movie, sorry!"
ngSwitch
      
      <span [ngSwitch]="favoriteHero &&
               checkMovieHero(favoriteHero)">
  <p *ngSwitchCase="true">
    Excellent choice!
  </p>
  <p *ngSwitchCase="false">
    No movie, sorry!
  </p>
  <p *ngSwitchDefault>
    Please enter your favorite hero.
  </p>
</span>
    
In Angular, the ngSwitch directive works similarly. It displays an element whose *ngSwitchCase matches the current ngSwitch expression value.
In this example, if favoriteHero is not set, the ngSwitch value is null and *ngSwitchDefault displays, "Please enter your favorite hero." If favoriteHero is set, the application checks the movie hero by calling a component method. If that method returns true , the application selects *ngSwitchCase="true" and displays: "Excellent choice." If that methods returns false , the application selects *ngSwitchCase="false" and displays: "No movie, sorry."
The ( * ) before ngSwitchCase and ngSwitchDefault is required in this example.
For more information, see The NgSwitch directives section of the Built-in directives page.

Filters / pipes link

Angular pipes provide formatting and transformation for data in the template, like AngularJS filters . Many of the built-in filters in AngularJS have corresponding pipes in Angular. For more information on pipes, see Pipes.

currency currency link

AngularJS Angular
currency
      
      <td> 
  {{movie.price | currency}} 
</td>
    
Formats a number as currency.
currency
      
      <td>{{movie.price | currency:'USD':true}}</td>
    
The Angular currency pipe is similar although some of the parameters have changed.

date date link

AngularJS Angular
date
      
      <td> 
  {{movie.releaseDate | date}} 
</td>
    
Formats a date to a string based on the requested format.
date
      
      <td>{{movie.releaseDate | date}}</td>
    
The Angular date pipe is similar.

filter → none link

AngularJS Angular
filter
      
      <tr ng-repeat="movie in movieList | filter: {title:listFilter}">
    
Selects a subset of items from the defined collection, based on the filter criteria.
none
For performance reasons, no comparable pipe exists in Angular. Do all your filtering in the component. If you need the same filtering code in several templates, consider building a custom pipe.

json json link

AngularJS Angular
json
      
      <pre> 
  {{movie | json}} 
</pre>
    
Converts a JavaScript object into a JSON string. This is useful for debugging.
json
      
      <pre>{{movie | json}}</pre>
    
The Angular json pipe does the same thing.

limitTo slice link

AngularJS Angular
limitTo
      
      <tr ng-repeat="movie in movieList | limitTo:2:0">
    
Selects up to the first parameter 2 number of items from the collection starting optionally at the beginning index 0 .
slice
      
      <tr *ngFor="let movie of movies | slice:0:2">
    
The SlicePipe does the same thing but the order of the parameters is reversed , in keeping with the JavaScript Slice method. The first parameter is the starting index and the second is the limit. As in AngularJS, coding this operation within the component instead could improve performance.

lowercase lowercase link

AngularJS Angular
lowercase
      
      <td> 
  {{movie.title | lowercase}} 
</td>
    
Converts the string to lowercase.
lowercase
      
      <td>{{movie.title | lowercase}}</td>
    
The Angular lowercase pipe does the same thing.

number number link

AngularJS Angular
number
      
      <td> 
  {{movie.starRating | number}} 
</td>
    
Formats a number as text.
number
      
      <td>{{movie.starRating | number}}</td>
<td>{{movie.starRating | number:'1.1-2'}}</td>
<td>{{movie.approvalRating | percent: '1.0-2'}}</td>
    
The Angular number pipe is similar. It provides more capabilities when defining the decimal places, as shown in the preceding second example.
Angular also has a percent pipe, which formats a number as a local percentage as shown in the third example.

orderBy → none link

AngularJS Angular
orderBy
      
      <tr ng-repeat="movie in movieList | orderBy : 'title'">
    
Displays the collection in the order specified by the expression. In this example, the movie title orders the movieList .
none
For performance reasons, no comparable pipe exists in Angular. Instead, use component code to order or sort results. If you need the same ordering or sorting code in several templates, consider building a custom pipe.

Modules / controllers / components link

In both AngularJS and Angular, modules help you organize your application into cohesive blocks of features.

In AngularJS, you write the code that provides the model and the methods for the view in a controller . In Angular, you build a component .

Because much AngularJS code is in JavaScript, JavaScript code is shown in the AngularJS column. The Angular code is shown using TypeScript.

Immediately invoked function expression (IIFE) → none link

AngularJS Angular
IIFE
      
      ( 
  function () { 
     
  }() 
);
    
In AngularJS, an IIFE around controller code keeps it out of the global namespace.
none
This is a nonissue in Angular because ES 2015 modules handle the namespace for you.
For more information on modules, see the Modules section of the Architecture Overview.

Angular modules → NgModules link

AngularJS Angular
Angular modules
      
      angular .module( 
  "movieHunter", 
  [ 
    "ngRoute" 
  ] 
);
    
In AngularJS, an Angular module keeps track of controllers, services, and other code. The second argument defines the list of other modules that this module depends upon.
NgModules
      
      import { NgModule } from '@angular/core';
import { BrowserModule } from '@angular/platform-browser';

import { AppComponent } from './app.component';

@NgModule({
  imports: [ BrowserModule ],
  declarations: [ AppComponent ],
  bootstrap: [ AppComponent ]
})
export class AppModule { }
    
NgModules, defined with the NgModule decorator, serve the same purpose:
  • imports : specifies the list of other modules that this module depends upon
  • declaration : keeps track of your components, pipes, and directives.
For more information on modules, see NgModules.

Controller registration → component decorator link

AngularJS Angular
Controller registration
      
      angular .module( 
  "movieHunter" 
) .controller( 
  "MovieListCtrl", 
  [ 
    "movieService", 
    MovieListCtrl 
  ] 
);
    
AngularJS has code in each controller that looks up an appropriate Angular module and registers the controller with that module.
The first argument is the controller name. The second argument defines the string names of all dependencies injected into this controller, and a reference to the controller function.
Component decorator
      
      @Component({
  selector: 'app-movie-list',
  templateUrl: './movie-list.component.html',
  styleUrls: [ './movie-list.component.css' ],
})
    
Angular adds a decorator to the component class to provide any required metadata. The @Component decorator declares that the class is a component and provides metadata about that component such as its selector, or tag, and its template.
This is how you associate a template with logic, which is defined in the component class.
For more information, see the Components section of the Architecture Overview page.

Controller function → component class link

AngularJS Angular
Controller function
      
      function MovieListCtrl(movieService) { 
}
    
In AngularJS, you write the code for the model and methods in a controller function.
Component class
      
      export class MovieListComponent {
}
    
In Angular, you create a component class to contain the data model and control methods. Use the TypeScript export keyword to export the class so that the component can be imported into NgModules.
For more information, see the Components section of the Architecture Overview page.

Dependency injection → dependency injection link

AngularJS Angular
Dependency injection
      
      MovieListCtrl.$inject = [ 
  'MovieService' 
]; 
function MovieListCtrl(movieService) { 
}
    
In AngularJS, you pass in any dependencies as controller function arguments. This example injects a MovieService .
To guard against minification problems, tell Angular explicitly that it should inject an instance of the MovieService in the first parameter.
Dependency injection
      
      constructor(movieService: MovieService) {
}
    
In Angular, you pass in dependencies as arguments to the component class constructor. This example injects a MovieService . The TypeScript type of the first parameter tells Angular what to inject, even after minification.
For more information, see the Dependency injection section of the Architecture Overview.

Style sheets link

Style sheets give your application a nice look. In AngularJS, you specify the style sheets for your entire application. As the application grows over time, the styles for the many parts of the application merge, which can cause unexpected results. In Angular, you can still define style sheets for your entire application. Now you can also encapsulate a style sheet within a specific component.

AngularJS Angular
Link tag
      
      <link href="styles.css" 
      rel="stylesheet" />
    
AngularJS, uses a link tag in the head section of the index.html file to define the styles for the application.
styles configuration
      
      "styles": [
  "styles.css"
],
    
With the Angular CLI, you can configure your global styles in the angular.json file. You can rename the extension to .scss to use sass.

styleUrls
In Angular, you can use the styles or styleUrls property of the @Component metadata to define a style sheet for a particular component.
      
      styleUrls: [ './movie-list.component.css' ],
    
This allows you to set appropriate styles for individual components that do not leak into other parts of the application.
Last reviewed on Mon Feb 28 2022
Read article