Click here to Skip to main content
15,886,199 members
Articles / AngularJs

Angular 2 Interview Questions

,
Rate me:
Please Sign up or sign in to vote.
4.92/5 (27 votes)
4 Mar 2017CPOL12 min read 356.4K   37   9
A set of selected questions and answers of Angular 2 that helps you to clarify the concepts of Angular 2

Introduction

Reading interview questions is one of the great ways to learn and brush up the left-over concepts even if you are not preparing for the interview. In this article, we tried to touch most of the important concepts of Angular 2. We have also provided the external links/references for further reading.

Disclaimer

Reading this article does not guarantee, in any way, that you will be able to clear the interview in Angular 2. Our sole purpose is to get you a reference for last minute revision along with further reading.

If you feel that some more topic need to be covered, please let us know. We will add those in the article.

Questions

Explain the Life Cycle Hooks of Angular 2 Application

Angular 2 component/directive has lifecycle events, managed by @angular/core. It creates the component, renders it, creates and renders its children, processes change when its data-bound properties change, and then destroys it before removing its template from the DOM. Angular provides a set of lifecycle hooks (special events) which can be tapped into this lifecycle and perform operations when required. The constructor executes prior to all lifecycle events. Each interface has a single hook method prefixed with ng. For example, ngOnint interface has Oninit method that must be implemented in the component.

Some of the events are applicable for both component/directives while few are specific to components.

  • ngOnChanges: Responds when Angular sets its data-bound property which receives the current and previous object values.
  • ngOnInit: Initializes the component/directive after first ngOnChange triggers. This is the most frequently used method to retrieve the data for the template from a back-end service.
  • ngDoCheck: Detect and act upon changes occurring outside Angular context. It is called when every change detection run.
  • ngOnDestroy: Cleanup just before Angular destroys the directive/component. Unsubscribe observables and detach event handlers to avoid memory leaks.

Component-specific hooks:

  • ngAfterContentInit: Component content has been initialized
  • ngAfterContentChecked: After Angular checks the bindings of the external content that it projected into its view
  • ngAfterViewInit: After Angular creates the component’s view
  • ngAfterViewChecked: After Angular checks the bindings of the component’s view

What Are the Advantages of Using Angular 2 Over Angular 1?

  1. Angular 2 is a platform not only a language
  2. Better Speed and Performance: No $Scope in Angular 2, AOT
  3. Simpler Dependency Injection
  4. Modular, cross platform
  5. Benefits of ES6 and Typescript
  6. Flexible Routing with Lazy Loading Features
  7. Easier to Learn

How Routing Works in Angular 2

Routing is a mechanism which enables the user to navigate between views/components. Angular 2 simplifies the routing and provide flexibility to configure and define at module level (Lazy loading).

The Angular application has single instance of the Router service and whenever URL changes, corresponding Route is matched from the routing configuration array. On successful match, it applies redirects and the router builds a tree of ActivatedRoute objects and contains the current state of the router. Before redirection, the router will check whether new state is permitted by running guards (CanActivate). Route Guards is simply an interface method that router runs to check the route authorization. After guard runs, it will resolve the route data and activate the router state by instantiation of the required components into <router-outlet> </router-outlet>.

Further Reading

What Are Event Emitters and How It Works in Angular 2?

Angular 2 doesn’t have bi-directional digest cycle, unlike Angular 1. In Angular 2, any change occurred in the component always gets propagated from the current component to all its children in hierarchy. If the change from one component needs to be reflected to any of its parent component in hierarchy, we can emit the event by using Event Emitter API.

In short, EventEmitter is class defined in @angular/core module which can be used by components and directives to emit custom events.

JavaScript
@output() somethingChanged = new EventEmitter();

We use somethingChanged.emit(value) method to emit the event. This is usually done in setter when the value is being changed in the class.

This event emit can be subscribed by any component of the module by using the subscribe method.

JavaScript
myObj.somethingChanged.subscribe(val) => this.myLocalMethod(val));

Further Reading

What is the Use of codelyzer in Angular 2 Application

All enterprise applications follows a set of coding conventions and guidelines to maintain code in better way. Codelyzer is an open source tool to run and check whether the pre-defined coding guidelines has been followed or not. Codelyzer does only static code analysis for Angular and typescript project.

Codelyzer runs on top of tslint and its coding conventions are usually defined in tslint.json file. Codelyzer can be run via Angular cli or npm directly. Editors like Visual Studio Code and Atom also support codelyzer just by doing basic settings.

To set up the codelyzer in Visual Studio code, we can go to File -> Preferences -> User Settings and add the path for tslint rules.

JavaScript
{
  "tslint.rulesDirectory": "./node_modules/codelyzer",
  "typescript.tsdk": "node_modules/typescript/lib"
}

To run from cli: ng lint.

To run from npm: npm run lint

Further Reading

What Is Lazy Loading and How to Enable Lazy Loading in Angular 2?

Most of the enterprise application contains various modules for specific business cases. Bundling whole application code and loading will be a huge performance impact at initial call. Lazy lading enables us to load only the module user is interacting with and keep the rest to be loaded at runtime on demand.

Lazy loading speeds up the application initial load time by splitting the code into multiple bundles and loading them on demand.

Every Angular application must have one main module, say AppModule. The code should be split into various child modules (NgModule) based on the application business case.

Plunkr Example: Link

  1. We don't require to import or declare lazily loading module in root module.
  2. Add the route to top level routing (app.routing.ts) and set loadChildren. loadChildren takes absolute path from root folder followed by #{ModuleName}. RouterModule.forRoot() takes routes array and configures the router.
  3. Import module specific routing in the child module.
  4. In the child module routing, specify path as empty string ' ', the empty path. RouterModule.forChild again takes routes array for the child module components to load and configure router for child.
  5. Then, export const routing: ModuleWithProviders = RouterModule.forChild(routes);

What Are the Security Threats We Should Be Aware of in Angular 2 Application?

Just like any other client side or web application, Angular 2 application should also follow some of the basic guidelines to mitigate the security risks. Some of them are:

  1. Avoid using/injecting dynamic HTML content to your component.
  2. If using external HTML that is coming from database or somewhere outside the application, sanitize it.
  3. Try not to put external URLs in the application unless it is trusted. Avoid URL re-direction unless it is trusted.
  4. Consider using AOT compilation or offline compilation.
  5. Try to prevent XSRF attack by restricting the API and use of the app for known or secure environment/browsers.

Further Reading

How Would You Optimize the Angular 2 Application for Better Performance?

Well, optimization depends on the type and size of application and many other factors. But in general, I would consider the following points while optimizing the Angular 2 app:

  1. Consider AOT compilation.
  2. Make sure the application is bundled, uglified, and tree shaking is done.
  3. Make sure the application doesn’t have un-necessary import statements.
  4. Make sure that any 3rd party library, which is not used, is removed from the application.
  5. Have all dependencies and dev-dependencies clearly separated.
  6. I would consider lazy loading instead of fully bundled app if the app size is more.

Further Reading

How Would You Define Custom Typings to Avoid Editor Warnings?

Well, in most of the cases, the 3rd party library comes with its own .d.ts file for its type definition. In some cases, we need to extend the existing type by providing some more properties to it or if we need to define additional types to avoid Typescript warning.

If we need to extend the type definition for external library, as a good practice, we should not touch the node_modules or existing typings folder. We can create a new folder, say “custom-typings” and keep all customized type definition in that.

To define typings for application (JavaScript/Typescript) objects, we should define interfaces and entity classes in models folder in the respective module of the application.

For those cases, we can define or extend the types by creating our own “.d.ts” file.

Further Reading

What is Shadow DOM? How is it Helping Angular 2 to Perform Better?

Shadow DOM is a part of the HTML spec which allows developers to encapsulate their HTML markup, CSS styles and JavaScript. Shadow DOM, along with a few other technologies, gives developers the ability to build their own 1st class tags, web components and APIs just like the <audio> tag. Collectively, these new tags and APIs are referred to as Web Components. Shadow DOM provides better separation of concern along with lesser conflict of styles and scripts with other HTML DOM elements.

Since shadow DOM are static in nature, it’s a good candidate to be cached as it is not accessible to developer. The cached DOM would be rendered faster in the browser providing better performance. Moreover, shadow DOM can be managed comparatively well while detecting the change in Angular 2 application and re-paint of view can be managed efficiently.

References/Further Reading

What is AOT Compilation?

AOT compilation stands for Ahead Of Time compilation, in which the Angular compiler compiles the Angular components and templates to native JavaScript and HTML during the build time. The compiled HTML and JavaScript is deployed to the web server so that the compilation and render time can be saved by the browser.

Advantages

  1. Faster download: Since the app is already compiled, many of the Angular compiler related libraries are not required to be bundled, the app bundle size get reduced. So, the app can be downloaded faster.
  2. Lesser number of HTTP Requests: If the app is not bundled to support lazy loading (or whatever reasons), for each associated HTML and CSS, there is a separate request that goes to the server. The pre-compiled application in-lines all templates and styles with components, so the number of Http requests to the server would be lesser.
  3. Faster Rendering: If the app is not AOT compiled, the compilation process happens in the browser once the application is fully loaded. This has a wait time for all necessary component to be downloaded, and then the time taken by the compiler to compile the app. With AOT compilation, this is optimized.
  4. Detect error at build time: Since compilation happens beforehand, many compile time error can be detected, providing a better degree of stability of application.

Disadvantages

  1. Works only with HTML and CSS, other file types need a previous build step
  2. No watch mode yet, must be done manually (bin/ngc-watch.js) and compiles all the files
  3. Need to maintain AOT version of bootstrap file (might not be required while using tools like cli)
  4. Needs cleanup step before compiling

References/Further Reading

What Are the Core Differences Between Observables and Promises?

A nice answer taken from Stackoverflow:

A Promise handles a single event when an async operation completes or fails.

Note: There are Promise libraries out there that support cancellation, but ES6 Promise doesn't so far.

An Observable is like a Stream (in many languages) and allows to pass zero or more events where the callback is called for each event. Often, Observable is preferred over Promise because it provides the features of Promise and more. With Observable, it doesn't matter if you want to handle 0, 1, or multiple events. You can utilize the same API in each case. Observable also has the advantage over Promise to be cancelable. If the result of an HTTP request to a server or some other expensive async operation isn't needed anymore, the Subscription of an Observable allows to cancel the subscription, while a Promise will eventually call the success or failed callback even when you don't need the notification or the result it provides anymore. Observable provides operators like map, forEach, reduce, ... similar to an array. There are also powerful operators like retry(), or replay(), ... that are often quite handy.

Promises vs Observables

  • Promises:
    1. return a single value
    2. are not cancellable
  • Observables:
  1. work with multiple values over time
  2. are cancellable
  3. support map, filter, reduce and similar operators
  4. proposed feature for ES 2016
  5. use Reactive Extensions (RxJS)
  6. an array whose items arrive asynchronously over time

References/Further Readings

Explain Local Reference Variables, ViewChild, and ContentChild.

Local template variables in Angular2 are used to refer to HTML elements and use their properties to access siblings or children.

Let’s consider you have an input field named username.

HTML
<input type="text" required ... />

This HTMLInputField can be made available to the template using # symbol with a variable name, say username.

HTML
<input type="text" #username required ... />

Now, this HTMLInputElement can be accessed from anywhere in the current template for example, checking validation and showing appropriate message based on the validation rule. But, username HTML reference is not accessible in the component/directive.

To access this in the component, Angular 2 provides @ViewChild decorator which accepts the local reference variable.

JavaScript
@ViewChild('username') username: HTMLInputElement;

ViewChild element can be read after the view is initialized (ngAfterViewInit).

ContentChild is used to query the reference of the DOM within ng-content. Content Child is set before the ngAfterContentInit lifecycle hook.

For example:

JavaScript
// <code>app.component.ts</code>
<my-component>
    <p #contentRef>{{test}}</p>
</ my-component >
 
// MyComponent.component.ts
@Component({
    selector: ‘my-component',
    template: `
    <ng-content></ng-content>
    <div> ContentChild Example </div>
})
export class LifecycleComponent implements ngAfterContentInit{
                @ContentChild(‘contentRef’)   childContent: HTMLElement;
 
ngAfterContentInit() {
              this.log('ngAfterContentInit');
console.log(this.childContent);
    }
}

Further Reading

Points of Interest

Do you think that this list is not sufficient for brushing up Angular 2? We also think the same. We are working on our available time to add more richness. Please watch this article for updates. You may also please suggest the questions that should be added here.

History

  • 2017-02-11: First version released
  • 2017-03-04: Added more questions

License

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


Written By
Architect
India India
Anurag Gandhi is a Freelance Developer and Consultant, Architect, Blogger, Speaker, and Ex Microsoft Employee. He is passionate about programming.
He is extensively involved in Asp.Net Core, MVC/Web API, Node/Express, Microsoft Azure/Cloud, web application hosting/architecture, Angular, AngularJs, design, and development. His languages of choice are C#, Node/Express, JavaScript, Asp .NET MVC, Asp, C, C++. He is familiar with many other programming languages as well. He mostly works with MS SQL Server as the preferred database and has worked with Redis, MySQL, Oracle, MS Access, etc. also.
He is active in programming communities and loves to share the knowledge with others whenever he gets the time for it.
He is also a passionate chess player.
Linked in Profile: https://in.linkedin.com/in/anuraggandhi
He can be contacted at soft.gandhi@gmail.com

Written By
Engineer
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

 
GeneralGood article Pin
rammanusani26-Mar-19 7:50
rammanusani26-Mar-19 7:50 
AnswerRe: Good article Pin
Anurag Gandhi11-Jul-19 5:39
professionalAnurag Gandhi11-Jul-19 5:39 
Questionappreciation Pin
Aravind25-Apr-18 1:43
Aravind25-Apr-18 1:43 
BugngOnInit is a method and OnInit is an interface. Pin
Member 1363297719-Jan-18 6:50
Member 1363297719-Jan-18 6:50 
QuestionGood Work Pin
san2debug8-Sep-17 4:21
professionalsan2debug8-Sep-17 4:21 
GeneralPreparing for an interview Pin
pkmode14-Mar-17 3:59
pkmode14-Mar-17 3:59 
GeneralRe: Preparing for an interview Pin
Anurag Gandhi5-Apr-17 21:26
professionalAnurag Gandhi5-Apr-17 21:26 
GeneralNice Share Pin
M,AqibShehzad7-Mar-17 1:31
professionalM,AqibShehzad7-Mar-17 1:31 
Thanks for sharing the nice stuff.
AnswerRe: Nice Share Pin
Anurag Gandhi7-Mar-17 19:21
professionalAnurag Gandhi7-Mar-17 19:21 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.