Angular unit testing tutorial with examples - LogRocket Blog (2024)

Editor’s note: This tutorial was last updated on 5 December 2023 to cover testing Angular pipes and directives, as well as mocking dependencies in Angular tests.

Angular unit testing tutorial with examples - LogRocket Blog (1)

In this Angular unit testing tutorial, we’ll demonstrate how to build a simple Angular app and then walk through the unit testing process step by step with examples.

To follow along with this tutorial, you should have a basic understanding of how to use Angular.

What is Angular testing?

Angular testing is a core feature available in every project set up with the Angular CLI. To stay synchronized with the JavaScript ecosystem, the Angular team makes a point to release two major Angular versions each year. Since its inception through its most recent release, Angular 17, Angular has been designed with testability in mind.

There are two types of Angular testing:

  1. Unit testing is the process of testing small, isolated pieces of code. Also known as isolated testing, unit tests do not use external resources, such as the network or a database
  2. Functional testing refers to testing the functionality of your Angular app from a user experience perspective — i.e., interacting with your app as it’s running in a browser, just as a user would

What is Angular unit testing?

Unit testing in Angular refers to the process of testing individual units of code.

An Angular unit test aims to uncover issues such as incorrect logic and misbehaving functions by isolating pieces of code. This is sometimes more difficult than it sounds, especially for complex projects with poor separation of concerns. Angular is designed to help you write code in such a way that enables you to test your app’s functions individually in isolation.

Why you should unit test Angular apps

Angular unit testing enables you to test your app based on user behavior. While testing each possible behavior would be tedious, inefficient, and ineffective, writing tests for each coupling block in your application can help demonstrate how these blocks behave.

One of the easiest ways to test the strengths of these blocks is to write a test for each one. You don’t necessarily need to wait until your users complain about how the input field behaves when the button is clicked. By writing a unit test for your blocks (components, services, etc.), you can easily detect when there is a break.

Our example Angular app has a service, a component, and an async task to simulate data being fetched from the server:

Angular unit testing tutorial with examples - LogRocket Blog (2)

How do you write an Angular test?

When you create a new project with the Angular CLI (ng new appName), a default component and test file are added. Also — if, like me, you’re always looking for a shortcut — a test script is always created alongside any component module (service, component) you create using the Angular CLI.

This test script, which ends with .spec.ts, is always added. Let’s take a look at the initial test script file, which is app.component.spec.ts:

import { TestBed, async } from '@angular/core/testing';import { AppComponent } from './app.component';describe('AppComponent', () => { beforeEach(async(() => { TestBed.configureTestingModule({ declarations: [ AppComponent ], }).compileComponents(); })); it('should create the app', async(() => { const fixture = TestBed.createComponent(AppComponent); const app = fixture.debugElement.componentInstance; expect(app).toBeTruthy(); })); it(`should have as title 'angular-unit-test'`, async(() => { const fixture = TestBed.createComponent(AppComponent); const app = fixture.debugElement.componentInstance; expect(app.title).toEqual('angular-unit-test'); })); it('should render title in a h1 tag', async(() => { const fixture = TestBed.createComponent(AppComponent); fixture.detectChanges(); const compiled = fixture.debugElement.nativeElement; expect(compiled.querySelector('h1').textContent).toContain('Welcome to angular-unit-test!'); }));});

Let’s run our first test to make sure nothing has broken yet:

ng test

You might be wondering how we can simulate a user behavior by simply writing a test, even though the project is being rendered in a browser. As we proceed, I’ll demonstrate how to simulate an Angular app running on a browser.

What is Karma in Angular?

Karma is a JavaScript test runner that runs the unit test snippet in Angular. Karma also ensures the result of the test is printed out either in the console or in the file log.

By default, Angular runs on Karma. Other test runners include Mocha and Jasmine. Karma provides tools that make it easier to call Jasmine tests while writing code in Angular.

How to write a unit test in Angular

The Angular testing package includes two utilities called TestBed and async. TestBed is the main Angular utility package. The describe container contains different blocks (it, beforeEach, xit, etc.). beforeEach runs before any other block. Other blocks do not depend on each other to run:

Angular unit testing tutorial with examples - LogRocket Blog (3)

From the app.component.spec.ts file, the first block is the beforeEach inside the container (describe). This is the only block that runs before any other block (it). The declaration of the app module in app.module.ts file is simulated (declared) in the beforeEach block. The component (AppComponent) declared in the beforeEach block is the main component we want to have in this testing environment. The same logic applies to other test declarations.

The compileComponents object is called to compile your component’s resources like the template, styles, etc. You might not necessarily compile your component if you are using webpack:

beforeEach(async(() => { TestBed.configureTestingModule({ declarations: [ AppComponent ], }).compileComponents();}));

Now that the component has been declared in the beforeEach block, let’s check if the component is created.

Over 200k developers use LogRocket to create better digital experiencesLearn more →

fixture.debugElement.componentInstance creates an instance of the class (AppComponent). We will test to see if the instance of the class is truly created or not using toBeTruthy:

it('should create the app', async(() => { const fixture = TestBed.createComponent(AppComponent); const app = fixture.debugElement.componentInstance; expect(app).toBeTruthy();}));

The third block demonstrates how you can have access to the properties of the created component (AppComponent). The only property added by default is the title. You can easily check if the title you set has changed or not from the instance of the component (AppComponent) created:

it(`should have as title 'angular-unit-test'`, async(() => { const fixture = TestBed.createComponent(AppComponent); const app = fixture.debugElement.componentInstance; expect(app.title).toEqual('angular-unit-test');}));

The fourth block demonstrates how the test behaves in the browser environment. After creating the component, an instance of the created component (detectChanges) to simulate running on the browser environment is called.

Now that the component has been rendered, you can have access to its child element by accessing the nativeElelment object of the rendered component (fixture.debugElement.nativeElement):

it('should render title in a h1 tag', async(() => { const fixture = TestBed.createComponent(AppComponent); fixture.detectChanges(); const compiled = fixture.debugElement.nativeElement; expect(compiled.querySelector('h1').textContent).toContain('Welcome to angular-unit-test!');}));

Now that you have familiarized yourself with the basics of testing a component, let’s test our Angular example application:

Angular unit testing tutorial with examples - LogRocket Blog (6)

How to test an Angular service

Services often depend on other services that Angular injects into the constructor. In many cases, it is easy to create and inject these dependencies by adding providedIn: root to the injectable object, which makes it accessible by any component or service:

import { Injectable } from "@angular/core";import { QuoteModel } from "../model/QuoteModel";@Injectable({ providedIn: "root"})export class QuoteService { public quoteList: QuoteModel[] = []; private daysOfTheWeeks = ["Sun", "Mon", "Tue", "Wed", "Thurs", "Fri", "Sat"]; constructor() {} addNewQuote(quote: String) { const date = new Date(); const dayOfTheWeek = this.daysOfTheWeeks[date.getDate()]; const day = date.getDay(); const year = date.getFullYear(); this.quoteList.push( new QuoteModel(quote, `${dayOfTheWeek} ${day}, ${year}`) ); } getQuote() { return this.quoteList; } removeQuote(index:number) { this.quoteList.splice(index, 1); }}

Here are a few ways to test the QuoteService class:

/* tslint:disable:no-unused-variable */import { QuoteService } from "./Quote.service";describe("QuoteService", () => { let service: QuoteService; beforeEach(() => { service = new QuoteService(); }); it("should create a post in an array", () => { const qouteText = "This is my first post"; service.addNewQuote(qouteText); expect(service.quoteList.length).toBeGreaterThanOrEqual(1); }); it("should remove a created post from the array of posts", () => { service.addNewQuote("This is my first post"); service.removeQuote(0); expect(service.quoteList.length).toBeLessThan(1); });});

In the first block, beforeEach, an instance of QuoteService is created to ensure it is only created once and to avoid repetition in other blocks except for some exceptional cases:

it("should create a post in an array", () => { const qouteText = "This is my first post"; service.addNewQuote(qouteText); expect(service.quoteList.length).toBeGreaterThanOrEqual(1); });

The first block tests if the post model QuoteModel(text, date) is created into an array by checking the length of the array. The length of quoteList is expected to be 1:

it("should remove a created post from the array of posts", () => { service.addNewQuote("This is my first post"); service.removeQuote(0); expect(service.quoteList.length).toBeLessThan(1); });

The second block creates a post in an array and removes it immediately by calling removeQuote in the service object. The length of the quoteList is expected to be 0.

How to test an Angular component

In our Angular unit testing example app, the service is injected into the QuoteComponent to access its properties, which will be needed by the view:

import { Component, OnInit } from '@angular/core';import { QuoteService } from '../service/Quote.service';import { QuoteModel } from '../model/QuoteModel';@Component({ selector: 'app-Quotes', templateUrl: './Quotes.component.html', styleUrls: ['./Quotes.component.css']})export class QuotesComponent implements OnInit { public quoteList: QuoteModel[]; public quoteText: String =""; constructor(private service: QuoteService) { } ngOnInit() { this.quoteList = this.service.getQuote(); } createNewQuote() { this.service.addNewQuote(this.quoteText); this.quoteText =""; } removeQuote(index) { this.service.removeQuote(index); }}<div class="container-fluid"> <div class="row"> <div class="col-8 col-sm-8 mb-3 offset-2"> <div class="card"> <div class="card-header"> <h5>What Quote is on your mind ?</h5> </div> <div class="card-body"> <div role="form"> <div class="form-group col-8 offset-2"> <textarea #quote class="form-control" rows="3" cols="8" [(ngModel)]="quoteText" name="quoteText"></textarea> </div> <div class="form-group text-center"> <button class="btn btn-primary" (click)="createNewQuote()" [disabled]="quoteText == null">Create a new quote</button> </div> </div> </div> </div> </div> </div> <div class="row"> <div class="card mb-3 col-5 list-card" id="quote-cards" style="max-width: 18rem;" *ngFor="let quote of quoteList; let i = index" (click)="removeQuote(i)"> <div class="card-body"> <h6>{{ quote.text }}</h6> </div> <div class="card-footer text-muted"> <small>Created on {{ quote.timeCreated }}</small> </div> </div> </div></div>

The first two blocks in the describe container run consecutively. In the first block, FormsModule is imported into the configure test. This ensures the form’s related directives, such as ngModel, can be used.

Also, the QuotesComponent is declared in the configTestMod, similar to how the components are declared in ngModule residing in the appModule file. The second block creates a QuoteComponent and its instance, which will be used by the other blocks:

let component: QuotesComponent; let fixture: ComponentFixture<QuotesComponent>; beforeEach(() => { TestBed.configureTestingModule({ imports: [FormsModule], declarations: [QuotesComponent] }); }); beforeEach(() => { fixture = TestBed.createComponent(QuotesComponent); component = fixture.debugElement.componentInstance; });

This block tests if the instance of the component that is created is defined:

it("should create Quote component", () => { expect(component).toBeTruthy(); });

The injected service handles the manipulation of all operations (add, remove, fetch). The quoteService variable holds the injected service (QuoteService). At this point, the component is yet to be rendered until the detectChanges method is called:

it("should use the quoteList from the service", () => { const quoteService = fixture.debugElement.injector.get(QuoteService); fixture.detectChanges(); expect(quoteService.getQuote()).toEqual(component.quoteList); });

Now let’s test whether we can successfully create a post. The properties of the component can be accessed upon instantiation, so the rendered component detects the new changes when a value is passed into the quoteText model.

The nativeElement object gives access to the HTML element rendered, which makes it easier to check if the quote added is part of the texts rendered:

it("should create a new post", () => { component.quoteText = "I love this test"; fixture.detectChanges(); const compiled = fixture.debugElement.nativeElement; expect(compiled.innerHTML).toContain("I love this test"); });

Apart from having access to the HTML contents, you can also get an element by its CSS property. When the quoteText model is empty or null, the button is expected to be disabled:

it("should disable the button when textArea is empty", () => { fixture.detectChanges(); const button = fixture.debugElement.query(By.css("button")); expect(button.nativeElement.disabled).toBeTruthy(); });it("should enable button when textArea is not empty", () => { component.quoteText = "I love this test"; fixture.detectChanges(); const button = fixture.debugElement.query(By.css("button")); expect(button.nativeElement.disabled).toBeFalsy(); });

Just like the way we access an element with its CSS property, we can also access an element by its class name. Multiple classes can be accessed at the same time using By e.g By.css(‘.className.className’).

The button clicks are simulated by calling triggerEventHandler. The event type must be specified which, in this case, is click. A quote displayed is expected to be deleted from the quoteList when clicked on:

it("should remove post upon card click", () => { component.quoteText = "This is a fresh post"; fixture.detectChanges(); fixture.debugElement .query(By.css(".row")) .query(By.css(".card")) .triggerEventHandler("click", null); const compiled = fixture.debugElement.nativeElement; expect(compiled.innerHTML).toContain("This is a fresh post"); });

How to test an async operation in Angular

Inevitably, you’ll eventually need to fetch data remotely. This operation is best treated as an asynchronous task.

fetchQoutesFromServer represents an async task that returns an array of quotes after two seconds:

fetchQuotesFromServer(): Promise<QuoteModel[]> { return new Promise((resolve, reject) => { setTimeout(() => { resolve([new QuoteModel("I love unit testing", "Mon 4, 2018")]); }, 2000); }); }

spyOn objects simulate how fetchQuotesFromServer method works. It accepts two arguments: quoteService, which is injected into the component, and the fetchQuotesFromServer method.

fetchQuotesFromServer is expected to return a promise. spyOn chains the method using and with a fake promise call, which is returned using returnValue. Because we want to emulate how the fetchQuotesFromServer works, we need to pass a promise that will resolve with a list of quotes.

More great articles from LogRocket:

  • Don't miss a moment with The Replay, a curated newsletter from LogRocket
  • Learn how LogRocket's Galileo cuts through the noise to proactively resolve issues in your app
  • Use React's useEffect to optimize your application's performance
  • Switch between multiple versions of Node
  • Discover how to use the React children prop with TypeScript
  • Explore creating a custom mouse cursor with CSS
  • Advisory boards aren’t just for executives. Join LogRocket’s Content Advisory Board. You’ll help inform the type of content we create and get access to exclusive meetups, social accreditation, and swag.

Just as we did before, we’ll call the detectChanges method to get the updated changes. whenStable allows access to the results of all async tasks when they are done:

it("should fetch data asynchronously", async () => { const fakedFetchedList = [ new QuoteModel("I love unit testing", "Mon 4, 2018") ]; const quoteService = fixture.debugElement.injector.get(QuoteService); let spy = spyOn(quoteService, "fetchQuotesFromServer").and.returnValue( Promise.resolve(fakedFetchedList) ); fixture.detectChanges(); fixture.whenStable().then(() => { expect(component.fetchedList).toBe(fakedFetchedList); }); });

How to test Angular pipes and directives

Pipes and directives are key elements in Angular applications, crucial for transforming data and improving user interaction. Pipes allow data to be safely transformed before it’s displayed, ensuring that what users see is well formatted. Directives add behavior to HTML elements, enhancing the user interface. Therefore, testing these components is important to avoid unexpected errors or failures that could negatively impact the user experience.

Testing Angular pipes

The most effective way to test your Angular pipes is by isolating them during the testing phase to evaluate how they handle a variety of inputs and edge cases, such as null or undefined values.

Let’s say, in our app, we have an Angular pipe that formats dates before displaying them to the users. We need to write a test that covers a range of inputs to validate consistent and accurate transformations, like in the code snippet below:

import { DateFormatPipe } from './date-format.pipe';describe('DateFormatPipe', () => { const pipe = new DateFormatPipe(); it('should format "2023-12-15" to "15/12/2023"', () => { expect(pipe.transform('2023-12-15')).toBe('15/12/2023'); }); it('should handle null input by returning an empty string', () => { expect(pipe.transform(null)).toBe(''); });});

Adding test cases like this in an Angular pipe will help us ship a performant application that provides values to the users.

Testing Angular directives

To do this, you’ll need to create a host component within your tests that acts as a sandbox, allowing you to apply the directive and observe its impact in a controlled environment. Assuming we have a directive, HighlightQuoteDirective, that changes the background color of a quote when it’s selected.

To ensure it works as expected, your tests have to properly verify that the element’s visibility changes according to the directive’s logic:

import { Component } from '@angular/core';import { TestBed, ComponentFixture } from '@angular/core/testing';import { HighlightQuoteDirective } from './highlight-quote.directive';@Component({ template: ` <div [appHighlightQuote]="isSelected" class="quote">Test Quote</div> `})class TestQuoteComponent { isSelected = false;}describe('HighlightQuoteDirective', () => { let component: TestQuoteComponent; let fixture: ComponentFixture<TestQuoteComponent>; beforeEach(() => { TestBed.configureTestingModule({ declarations: [TestQuoteComponent, HighlightQuoteDirective] }); fixture = TestBed.createComponent(TestQuoteComponent); component = fixture.componentInstance; }); it('should highlight quote when selected', () => { component.isSelected = true; fixture.detectChanges(); expect(fixture.nativeElement.querySelector('.quote').style.backgroundColor).toBe('yellow'); }); it('should not highlight quote when not selected', () => { fixture.detectChanges(); expect(fixture.nativeElement.querySelector('.quote').style.backgroundColor).toBe(''); });});

The above test serves as a blueprint that checks whether the directive correctly applies a style like changing the background color when a quote is selected or not.

How to automatically generate an Angular unit test

When you use the Angular CLI to scaffold a project, it generates unit test specs for the default app component. Following the initial project setup, we’ll need to write test specifications for each component, directive, and more.

In most cases, this will be time-consuming because we will have to write these specifications from the ground up. Fortunately, the Angular ecosystem created the ngentest package to automate the generation of test specs for each component, directive, and others.

Assuming you wrote the code for your component and want to write a test for it, you’ll have to install the ngentest package:

$ npm install ngentest -g

Next, you’ll run the following command to auto-generate the unit test specs for your component:

$ gentest component-name.ts

We can also auto-generate the unit test specs for directives, pipes, and services:

$ gentest directive-name.ts -s # output to directive-name.spec.ts$ gentest pipe-name.ts # output to pipe-name.test.ts$ gentest service-name.ts. # output to service-name.test.ts

Mocking dependencies in Angular tests

Mocking dependencies in Angular tests is simply creating a replica of any external dependencies in your code. In this type of test, you’d typically replace the services, functions, or objects that your code interacts with, with a fake version that mimics the original dependencies. Still, they do not need to replicate all their functionalities.

When mocking dependencies in your tests, there are a few important principles you’ll need to follow:

  1. Equivalence: The mock should have the same interface as the original dependency. This means it should have the same methods, properties, and return types
  2. Replaceability: The mock only needs to be detailed enough to act as a stand-in for the original in the context of the test
  3. Synchronization: The mocks should be in sync with the original. If the original dependency changes, the mock should be updated accordingly to avoid false positives in tests

Let me explain this with an example. Assuming our QuoteService depends on a AuthorService, you’ll need to test QuoteService without actually invoking the real AuthorService.

So, you’ll first create a mock version of the AuthorService that will implement the same methods as the real service but with simplified logic suitable for testing purposes:

class MockAuthorService { getAuthorDetails(authorId: number): any { // Mock implementation // Return mock author details based on the authorId if (authorId === 1) { return { name: 'Mock Author', genre: 'Fiction' }; } return null; }}

Then, you’ll replace the real AuthorService with the mock version when creating an instance of the QuoteService:

let quoteService: QuoteService;let mockAuthorService: MockAuthorService;beforeEach(() => { mockAuthorService = new MockAuthorService(); quoteService = new QuoteService(mockAuthorService);});it('should retrieve author details for a given quote', () => { const authorDetails = quoteService.getAuthorByQuoteId(1); expect(authorDetails).toEqual({ name: 'Mock Author', genre: 'Fiction' });});

In the above code, QuoteService will be tested in isolation, with AuthorService's behavior being controlled and predicted through the mock. This approach allows you to test how QuoteService interacts with AuthorService without relying on the actual implementation of PaymentService.

How ngentest works

ngentest parses the file name next to the gentest command and determines the proper file type. In our case, it is component-name.ts, as seen in our previous command.

Next, ngentest builds data for a unit test from the parsed TypeScript using the contents of the file, such as:

  • Class
  • Imports
  • List of functions to test
  • Inputs and outputs
  • Mocks

Finally, ngentest generates the unit test. The gentest package does not generate 100% test coverage, so you’ll need to modify the generated unit test specs to achieve that.

How does unit testing fit into the CI/CD pipeline?

Unit testing is an important part of the continuous integration and delivery (CI/CD) pipeline. It helps to ensure that applications remain reliable and secure during development and deployment.

In the CI/CD process, all the stages of code from development to production are streamlined and automated, and unit testing is integrated at various stages of this pipeline to ensure that each line of code is functional and error-free.

Every time a new feature or bug fix is added to the code during the CI phase, the process that runs the unit tests is automatically triggered. These tests are made to carefully evaluate individual units of code, functions, components, or services in the application to verify they work as expected. Then, when a unit of the test fails, a process is halted, and the developer is notified of the issues.

Once the code passes all unit tests in the CI phase, it moves into continuous deployment and must again pass all unit tests. This step serves as a final check to ensure that the code is not only functionally correct but also stable and reliable. It provides a safety net that prevents untested or faulty code from being released to end users.

Conclusion

Angular ensures that test results are viewed in your browser. This will give a better visualization of the test results:

Angular unit testing tutorial with examples - LogRocket Blog (7)

You can find the source code for this project in this GitHub repository.

LogRocket: Full visibility into your web and mobile apps

LogRocket is a frontend application monitoring solution that lets you replay problems as if they happened in your own browser. Instead of guessing why errors happen or asking users for screenshots and log dumps, LogRocket lets you replay the session to quickly understand what went wrong. It works perfectly with any app, regardless of framework, and has plugins to log additional context from Redux, Vuex, and @ngrx/store.

In addition to logging Redux actions and state, LogRocket records console logs, JavaScript errors, stacktraces, network requests/responses with headers + bodies, browser metadata, and custom logs. It also instruments the DOM to record the HTML and CSS on the page, recreating pixel-perfect videos of even the most complex single-page and mobile apps.

Try it for free.

Angular unit testing tutorial with examples - LogRocket Blog (2024)

References

Top Articles
Latest Posts
Article information

Author: Carlyn Walter

Last Updated:

Views: 5478

Rating: 5 / 5 (70 voted)

Reviews: 85% of readers found this page helpful

Author information

Name: Carlyn Walter

Birthday: 1996-01-03

Address: Suite 452 40815 Denyse Extensions, Sengermouth, OR 42374

Phone: +8501809515404

Job: Manufacturing Technician

Hobby: Table tennis, Archery, Vacation, Metal detecting, Yo-yoing, Crocheting, Creative writing

Introduction: My name is Carlyn Walter, I am a lively, glamorous, healthy, clean, powerful, calm, combative person who loves writing and wants to share my knowledge and understanding with you.