Beliebte Suchanfragen

Cloud Native

DevOps

IT-Security

Agile Methoden

Java

//

Implementing and testing an Angular feature flag directive

18.5.2020 | 6 minutes of reading time

Introduction

An important goal of agile software development is to shorten the user feedback loop. To achieve that you want to release your changes as often as possible. This also includes releasing prototypes, e.g. to a smaller audience, gathering customer feedback that can be used to adjust the requirements and priorities accordingly.

Methodologies such as continuous integration and continuous deployment (CI/CD) aim to automate as much of the integration and release process as possible. This way, releasing new software can happen by simply merging a code change into the main branch. Ideally, no manual interaction is needed after to reviewing, approving, and merging a merge request.

When it comes to development workflows, trunk-based development is becoming increasingly popular. Short-lived feature branches help your developers to iterate quickly on new ideas and functionality and reduce the risk of “big-bang” deployments containing massive changes.

In order to be able to merge code and deploy that is not yet ready to be shown to all your customers, you will most likely have to use feature flags. A feature flag is typically a binary value, indicating whether a certain feature is visible in a specific environment. In a very simple setup this can mean that a button or input field is only visible during local development but invisible in production.

In this blog post we want to take a look at how to implement a feature flag directive in Angular such that you can toggle the rendering of certain components as needed. The remainder of the post is structured as follows. First we will discuss different types of feature flags. After that we are going to take a look at an implementation of a structural feature flag directive in Angular together with the respective test. We are closing the post by summarizing our main findings.

Feature flag types

Feature flags can be designed in different ways, ranging from a simple on-off switch, over flags based on environments, all the way to a fully flexible and dynamic setup where your product owner can enable and disable features on-the-fly and also for certain users only.
Which implementation is best for you depends on your use case.

If you have a multi-stage deployment (e.g. development, staging, and production) and you just want to work with short-living branches then having feature flags based on environment variables are probably enough. If your goal is to perform user experiments such as A/B testing, then you might need a more sophisticated solution that involves an external service.

The available types and tools also depend on whether you need to toggle features in the front end, back end, or both. I personally was mainly working on back end code and used feature flags based on environment variables that are passed to the application at runtime. You can then use a configuration library to extract the toggle values and check in a simple if statement whether to execute some piece of code or not.

In frameworks that work with the concept of reusable UI components, it is a common use case to hide certain components from the user based on feature flags. In Angular, this can be accomplished by adding a custom directive. Let’s take a look at how we can implement and test such a feature flag directive.

Angular feature flag directive

Implementation

The goal of the feature flag directive is very similar to the ngIf  directive: Based on the input decide whether to render a component or not. The difference to a simple ngIf is that the feature flag directive has a dependency on the service that knows which features are enabled.

Consequently, the input into the feature flag directive is simply a string indicating the name of the feature we want to condition on. Additionally, we do not have to include the feature flag service dependency in the parent component.

There are multiple tutorials on how to implement a feature flag directive in Angular already (e.g. “Feature Toggling with Angular and the Angular CLI”  or “Implementing Feature Flags in an Angular” ). The following listing contains my version of the feature flag directive written in TypeScript.

1import {Directive, Input, OnInit, TemplateRef, ViewContainerRef} from '@angular/core';
2import {EnvService} from '../services/env.service';
3
4@Directive({
5    selector: '[featureFlag]'
6})
7export class FeatureFlagDirective implements OnInit {
8    @Input() featureFlag: string;
9
10    constructor(
11        private vcr: ViewContainerRef,
12        private tpl: TemplateRef<any>,
13        private envService: EnvService
14    ) {
15    }
16
17    ngOnInit() {
18        if (this.envService[this.featureFlag]) {
19            this.vcr.createEmbeddedView(this.tpl);
20        }
21    }
22
23}

The job of the directive is to conditionally render the component it is attached to. This can only be achieved by using it as a structural directive (*featureFlag="'awesomeFeature'"). Angular will then wrap the component in a template and inject the respective TemplateRef  into the constructor of the directive.

By also injecting the ViewContainerRef we can check the feature flag service (e.g. EnvService) if the given feature is enabled. Based on the result we create the embedded view in the view container, passing the template reference as an argument.

How you implement the feature flag service is up to you. In our example we are using a mechanism based on environment variables as described in “How to use environment variables to configure your Angular application without a rebuild” . Even though I found multiple posts on how to write a feature flag directive, none of them featured how to write tests. So let’s look into that next.

Testing

When testing the feature flag directive there are two test cases we are interested in: Testing that a component with the feature flag directive is

  1. rendered if the feature is enabled
  2. not rendered if the feature is disabled.

I am using the shallow-render  package to render the component and jasmine  as the testing framework. Shallow render has three advantages over the use of TestBed for this test. Firstly, we don’t need to create a dummy component class but can instead use a simple div. Secondly, we can use the AppModule instead of having to configure a testing module. Thirdly, it has built-in support for providing mocks.

The following listing contains the unit test for the feature flag directive.

1import {FeatureFlagDirective} from './feature-flag.directive';
2import {EnvService} from '../services/env.service';
3import {Shallow} from 'shallow-render';
4import {AppModule} from '../app.module';
5import {ComponentFixture} from '@angular/core/testing';
6
7describe('FeatureFlagDirective', () => {
8    async function renderWith(featureEnabled: boolean): Promise<ComponentFixture<FeatureFlagDirective>> {
9        return await new Shallow(FeatureFlagDirective, AppModule)
10            .provideMock({provide: EnvService, useValue: {featureActive: featureEnabled}})
11            .render(`<div *featureFlag="'featureActive'"></div>`)
12            .fixture;
13    }
14
15    it('should render the component if the feature is enabled', async () => {
16        const fixture = await renderWith(true);
17        expect(fixture.nativeElement.querySelector('div')).toBeTruthy();
18    });
19
20    it('should not render the component if the feature is disabled', async () => {
21        const fixture = await renderWith(false);
22        expect(fixture.nativeElement.querySelector('div')).toBeNull();
23    });
24});

The structure of each test is very simple. The first instruction renders the div with either the feature flag enabled or disabled. We are relying on a mocked EnvService that returns the respective value when queried for the feature status. The second instruction checks whether the div has actually been rendered or not.

Summary

In this post we have seen that feature flags are an important ingredient of agile software development. They enable you to work with short-lived branches, merging to master frequently. Additionally they can be used to dynamically test different feature combinations for different audiences.

In Angular you can use structural directives to annotate components that are supposed to be rendered conditionally based on your feature flags. This works well independently of the way you implement your feature flag service, whether it be based on environment variables or a web service. We also looked at how to test the feature flag directive using shallow-render and jasmine.

Have you used feature flags before? Did you use or write your own feature flag directive in Angular? If you have a more powerful implementation, please feel free to share some details as well as the use case for it.

share post

Likes

0

//

More articles in this subject area

Discover exciting further topics and let the codecentric world inspire you.

//

Gemeinsam bessere Projekte umsetzen.

Wir helfen deinem Unternehmen.

Du stehst vor einer großen IT-Herausforderung? Wir sorgen für eine maßgeschneiderte Unterstützung. Informiere dich jetzt.

Hilf uns, noch besser zu werden.

Wir sind immer auf der Suche nach neuen Talenten. Auch für dich ist die passende Stelle dabei.