How to Make Simple Feature Flags in React

How to Make Simple Feature Flags in React

Enables features of your app with a click of a button
Ferenc AlmasiLast updated 2021 July 13 • Read time 18 min read
Get your weekly dose of webtips
  • twitter
  • facebook
React

Feature flags — or feature toggles — is a technique where you can provide some means to turn on and off certain features of your application with ease, without the need to deploy additional code.

This lets you show and hide parts of your application to users or to other developers, and QAs.

Why feature flags are good for us?

There are a number of reasons why you would want to use feature flags in your application. One of them is already mentioned above:

  • You can enable features only to internal people to test it in a live environment, without exposing it to other users.
  • You can deploy parts of a feature without a complete whole for testing purposes.
  • You may also want to enable a certain feature only to a specific user group.
  • You can also use it for experiments to see how different features perform.

And the list may go on. It helps you to put continuous deployment in place as you can safely release — even unpolished — features that are behind a toggle. This provides a safety net that ensures that existing code won’t break.


Setting Up the Project

If you already have a project set up where you want to integrate feature flags, you can skip to the next section, otherwise you can follow along to set up a new project.

To quickly set up a new React project, I’ve used react-scripts. Create a new project folder and install the following packages:

npm i react react-dom react-scripts

Add the following scripts to your package.json file:

Copied to clipboard!
"scripts": {
    "start": "react-scripts start",
    "build": "react-scripts build",
    "test": "react-scripts test --env=jsdom",
    "eject": "react-scripts eject"
}
package.json

Create a public directory with an index.html file and add a root element for React:

Copied to clipboard! Playground
<!DOCTYPE html>
<html lang="en">
    <head>
        <meta charset="utf-8" />
        <meta name="viewport" content="width=device-width, initial-scale=1, shrink-to-fit=no" />
        <title>Feature flags</title>
    </head>

    <body>
        <noscript>You need to enable JavaScript to run this app.</noscript>
        <div id="root"></div>
    </body>
</html>
index.html

And lastly, also add a src folder with an index.js where you bootstrap React:

Copied to clipboard! Playground
import React from 'react';
import ReactDOM from 'react-dom';

import App from './App';

ReactDOM.render(
    <React.StrictMode>
        <App />
    </React.StrictMode>,
    document.getElementById('root')
);
index.js

I’ve also created an App.js file next to index.js with an empty stylesheet, which returns nothing at the moment:

Copied to clipboard! Playground
import React from 'react';

const App = () => {
    return (
        <div className="App">👋</div>
    );
};


export default App;
App.js

Adding New Feature Flags

Flags can be stored in various places, whether it be in a simple state, in a cookie, inside local storage, or even on the server requesting them through a fetch. In this example, we will store them inside local storage. We will be using the following format to create new features:

Copied to clipboard! Playground
[{
    name: 'banner',
    description: 'Banner shown on top of the page',
    active: false
}]
feature.js

Each feature will have a unique name that we can later reference in React, a short description about the functionality it adds, and an active flag for deciding whether we need to show it or not. These will be stored inside an array. To store them in local storage, add the following function to your App.js and call it at the top of your component:

Copied to clipboard! Playground
const initFeatures = () => {
    if (!localStorage.getItem('flags')) {
        localStorage.setItem('flags', JSON.stringify([
            { name: 'banner', description: 'Banner shown on top of the page', active: false },
            { name: 'info-message', description: 'Enhance info message with icon and link', active: true },
            { name: 'New block', description: 'New block added on page', active: false }
        ]));
    }
};

const App = () => {
    initFeatures();
    ...
}
App.js

This will create three new feature flags, if there are no flags yet in the localStorage. Note that you will have to JSON.stringify your objects as localStorage can only accept strings.

Looking to improve your skills? Check out our interactive course to master React from start to finish.
Master Reactinfo Remove ads

Adding the Feature Component

To reference them in React and create new features based on them, create a new file inside your src folder called Feature.js. This component will handle the toggling of features. To see how we want this component to behave, let’s see an example usage:

Copied to clipboard! Playground
import Feature from './Feature';

const App = () => {
    initFeatures();

    return (
        <div className="App">
            <Feature name="banner">
                <Banner />
            </Feature>
        </div>
    );
};
App.js

We want to call this component with a name and the actual feature inside it, that we want to render. First, we want to get the feature from localStorage and see if it set to active. In this case, we can render the children, otherwise we can simply return null.

Copied to clipboard! Playground
const Feature = ({ name, children }) => {
    const features = JSON.parse(localStorage.getItem('flags'));
    const feature = features.find(feature => feature.name === name);

    if (feature && feature.active) {
        return children;
    }

    return null;
};

export default Feature;
Feature.js

For this, we can use Array.prototype.find. If we now create a Banner component, and try to render it inside our Feature, the component will find the flag inside the localStorage based on its name and it will be shown if the active state of the corresponding flag is set to true, and it will be hidden if it is set to false.

Note that when you are adding extra CSS as part of a feature behind a toggle, you may want to dynamically import the CSS to avoid unnecessary rules when the feature is off.

Copied to clipboard! Playground
let cssImported = false;

const Banner = () => {
    if (!cssImported) {
        import('./css/banner.css');
        cssImported = true;
    }

    ...
};
Banner.js

But what happens if you acidentally mistype a feature or use a non-existent feature name?

No feature flag found when invalid name is given

It won’t find the feature based on the name, and so nothing will be rendered, which is a good behavior in production as it ensures that nothing breaks. But what about development? You won’t see the feature regardless of whether it is set to active or not, which can lead to confusion.

Adding error reporting for invalid flags

To prevent this, we can add a new if statement before returning null:

Copied to clipboard! Playground
const Feature = ({ name, fallback, children }) => {
    ...
  
    if (process.env.NODE_ENV === 'development' && !feature) {
        const alertStyles = { ... };
        const featureNameStyles = { ... };

        console.error(`There is no feature named "${name}"\nAvailable features are:\n${features.map(feature => `${feature.name}`).join('\n')}`);

        return (
            <span style={alertStyles}>
                No feature named <code style={featureNameStyles}>{name}</code>
            </span>
        );
    }

    return null;
};
Feature.js

This will make sure that if there is no feature found, it will be visible for the developer and only the developer. The first part of the if statement makes sure to only add this block for non-production builds. You can either provide a visible block on the UI to warn the developer that they are referencing an invalid flag, or you can log an error to the console. I’ve provided both solutions here. You can also list out the available valid flags.

Message and error shown when referencing invalid flag
Message and console error thrown when referencing a non-existing flag

Unfortunately, you can only test this by building the app with npm run build as React doesn’t allow you to override NODE_ENV and start a dev server in production mode. In order to configure this, you would have to eject first.

Screenshot taken from the official create react app docs about the use of NODE_ENV
Screenshot taken from the official create react app docs about the use of NODE_ENV

Adding fallback options

Another common problem is that often, you have to switch out an existing feature to a new one, rather than adding an entirely new block. To add this option, we can introduce a fallback prop to the component:

Copied to clipboard! Playground
const App = () => {
    initFeatures();

    const infoMessage = (
        <span className="message">Check out our latest updates in our repo</span>
    )

    return (
        <div className="App">
            <Feature name="banners">
                <Banner />
            </Feature>

            <main className="content">
                <Feature name="info-message" fallback={infoMessage}>
                    <span className="message">📦 Check out the latest updates in our <a href="#">repo</a></span>
                </Feature>
            </main>
        </div>
    );
};
App.js

It can accept a component or a JSX element to render in case the feature is toggled off. To handle this extra functionality, simply return the fallback passed to Feature:

Copied to clipboard! Playground
const Feature = ({ name, fallback, children }) => {
    const features = JSON.parse(localStorage.getItem('flags'));
    const feature = features.find(feature => feature.name === name);

    if (feature) {
        if (feature.active) {
            return children;
        }
        
        if (fallback) {
            return fallback;
        }
    }
   
    ...
};
Feature.js
If the feature is available but it is not active, and a fallback has been provided, render the old version.

Creating a Bookmarklet to Toggle Features

All that is left to do, is to provide some means to easily toggle the features on and off, as until now, you still needed to modify localStorage. For this purpose, we can create a bookmarklet with a GUI that can serve as a dashboard for the available flags where other developers, QAs, and product can also turn them on and off whenever they want. This is the script in one go for the bookmarklet:

Copied to clipboard! Playground
javascript:(() => {
    const flags = JSON.parse(localStorage.getItem('flags'));
    
    // Check if there are feature flags on the site
    if (flags && flags.length) {

        // Add styles for the bookmarklet and append it to the document head
        const styles = ``;

        const style = document.createElement('style');
        style.type = 'text/css';
        style.appendChild(document.createTextNode(styles));

        document.head.appendChild(style);
        
        // Create a layout for the bookmarklet
        const html = `
            <main class="ff-wrapper">
                <h1 class="ff-header">Feature flags</h1>
                <div class="ff-container">
                <table class="ff-table">
                    ${flags.map((flag, index) => {
                        return `
                            <tr class="ff-row">
                                <td class="ff-column">
                                    <strong class="ff-title">${flag.name}</strong>
                                    <span class="ff-description">${flag.description}</span>
                                </td>
                                <td class="ff-column">
                                    <label class="ff-label">
                                        <input type="checkbox" ${flag.active ? 'checked' : ''} class="ff-input" />
                                        <span class="ff-span" data-index="${index}"></span>
                                    </label>
                                </td>
                            </tr>
                        `;
                    }).join('')}
                </table>
                </div>

                <button class="ff-reload">Reload flags</button>
                <button class="ff-apply">Apply changes</button>
            </main>
        `;
        
        // Add the bookmarklet to the document
        document.body.append(
            new DOMParser()
                .parseFromString(html, 'text/html')
                .getElementsByTagName('main')[0]
        );
       
        // Add an event listener for the toggles
        [...document.querySelectorAll('.ff-span')].forEach(feature => {
            feature.addEventListener('click', (e) => {
                flags[Number(e.target.dataset.index)].active = !e.target.previousElementSibling.checked;

                localStorage.setItem('flags', JSON.stringify(flags));
            });
        });
        
        // Add an event listener for refreshing the flags
        document.querySelector('.ff-reload').addEventListener('click', () => {
            localStorage.clear();
            window.location.reload();
        });
        
        // Add an event listener for applying changes
        document.querySelector('.ff-apply').addEventListener('click', () => {
            window.location.reload();
        });
    } else {
        alert('No feature flags on site');
    }
})();
bookmarklet.js

Let’s quickly go over the script to see how it works:

  • First, on line:5 we want to make sure that there are features on the site, so simply request flags from localStorage to test it. On line:72 in the else block, we can display an alert message if there are no features.
  • Next, you want to create some styles and add it to the document, this is what happens from line:8-14.
  • From line:17-44, I’ve created the layout for the bookmarklet. It will display a table with the available features, their name, description, and a toggle to switch them on and off. In order to loop through the flags I’ve used a map to return a new row for every feature, then joined them together on line:37.
  • This layout is then appended to the document between line:47-51.
  • Then you can attach the different event listeners. First, toggling the flags on and off by clicking on the toggle. This is done from line:54. It gets the data-index attribute that is set in the layout and sets the active state of the corresponding flag to the state of its checkbox. Then the whole state is rewritten into flags in localStorage.
  • From line:63, I’ve added a reload button. This clears the storage and reloads the page. This is useful if changes are made inside React, but you still have an older version in local storage.
  • From line:69, the apply button just simply reloads the page.

To add it as a new bookmarklet, don’t forget to minify the script first. You can use an online tool such as JavaScript Minifier.

Testing out the bookmarklet

All that’s left to do is to test it out and see how it works. After you’ve added it as a bookmarklet, open your app and click on it to open the toggles.

Using the feature flags bookmarklet with features
Using an invalid feature flag name

Now you can toggle features on and off through an interface. You can also see the fallback option in action. When the info-message is being toggled off, you see the older version of the message. If you happen to use a non-existent name, you will also be notified. Note that this won’t happen for production builds, only for development. If you would like to learn more about bookmarklets I recommend checking out the tutorial below.

Learn How to Easily Make Bookmarklets

Summary

And now you’ve created a fully functioning feature toggle component in React with the ability to fall back to old implementation if needed. You can further build on this solution by using an API endpoint instead of local storage for the flags. This way, you can allow product to create, modify or remove flags through a dashboard with a few clicks. This eliminates the need to touch the codebase when introducing new flags and you can also quickly disable certain features quickly if needed.

I’ve created a repository for the complete project on GitHub, with CSS included, you can clone it from here:

Clone the complete GitHub repository

Do you have experience using feature flags? Let us know your thoughts in the comments below! Thank you for reading through, happy coding!

  • twitter
  • facebook
React
Did you find this page helpful?
📚 More Webtips
Frontend Course Dashboard
Master the Art of Frontend
  • check Access 100+ interactive lessons
  • check Unlimited access to hundreds of tutorials
  • check Prepare for technical interviews
Become a Pro

Courses

Recommended

This site uses cookies We use cookies to understand visitors and create a better experience for you. By clicking on "Accept", you accept its use. To find out more, please see our privacy policy.