4

AoAD2 Practice: Feature Toggles

 3 years ago
source link: https://www.jamesshore.com/v2/books/aoad2/feature_toggles
Go to the source link to view the article. You can view the picture content, updated content and better typesetting reading experience. If the link is broken, please click the button below to view the snapshot at that time.
neoserver,ios ssh client

AoAD2 Practice: Feature Toggles

May 26, 2021

This is a pre-release excerpt of The Art of Agile Development, Second Edition, to be published by O’Reilly in 2021. Visit the Second Edition home page for information about the open development process, additional excerpts, and more.

Your feedback is appreciated! To share your thoughts, join the AoAD2 open review mailing list.

This excerpt is copyright 2007, 2020, 2021 by James Shore and Shane Warden. Although you are welcome to share this link, do not distribute or republish the content without James Shore’s express written permission.

Feature Toggles

Audience Programmers

We deploy and release independently.

For many teams, releasing their software is the same as deploying their software. They deploy a branch of their code repository into production, and all that code is released. If there’s anything they don’t want to release, they store it in a separate branch.

Allies Continuous Integration Continuous Deployment

That doesn’t work for teams using continuous integration and deployment. Other than short-lived development branches, they only have one branch: their integration branch. There’s nowhere for them to hide unfinished work.

Feature toggles, also known as feature flags, solve this problem. They hide code programmatically, rather than using repository branches. This allows teams to deploy unfinished code without releasing it.

Feature toggles can be programmed in a variety of ways. Some can be controlled at runtime, allowing people to release new features and capabilities without redeploying the software. This puts releases in the hands of business stakeholders, rather than programmers. They can even be set up to release the software in waves, or to limit releases to certain types of users.

Keystones

Strictly speaking, the simplest type of feature toggle isn’t a feature toggle at all. Kent Beck calls it a “Keystone” [Beck 2004] (p. 69). It’s easy: when working on something new, wire up the UI last. That’s the keystone. Until the keystone is in place—until the UI is wired up—nobody will know the new code exists, because they won’t have any way to access it.

For example, when I migrated a website to use a different authentication service, I started by implementing an infrastructure wrapper for the new service. I was able to do most of that work without wiring it up to the login button. Until I did, users were unaware of the change, because the login button still used the old authentication infrastructure.

Ally Test-Driven Development

This does raise the question: if you can’t see your changes, how do you test them? The answer, of course, is test-driven development and narrow tests. Test-driven development allows you to code what you to mean to code without actually seeing it run. Narrow tests allow you to target specific parts of your code, without requiring the code to be hooked up to the rest of your application.

Eventually, of course, you’ll want to see the code run, either to fine-tune the user interface (which can be difficult to test-drive), for customer review, or just to double-check your work. TDD isn’t perfect, after all.

Design your new code to be “wired up” with a single line of code. When you want to see your code run, add that line. If you need to integrate before you’re ready to release, comment that line out. When you’re ready to release, write the appropriate test and uncomment the line one final time.

Keystones don’t have to involve a user interface. Anything that hides your work from customers can be used as a keystone. For example, one team migrated their website to a new technology. They used continuous deployment from the beginning, deploying to a real production server, but the server didn’t receive any production traffic. Nobody outside the company could see the new site until they switched production traffic from the old server to the new one.

Keystones are my preferred approach to hiding incomplete work.

Keystones are my preferred approach to hiding incomplete work. They’re simple, straightforward, and don’t require any special maintenance or design work.

Feature Toggles

Feature toggles are just like keystones, except they use code to control visibility, not a comment. Usually, it’s a simple if statement.

To continue the authentication example, remember that I programmed my new authentication infrastructure without wiring it up to the login button. Before I could hook it up, I needed to test it in production, because there were complicated interactions between the third-party service and my systems. But I didn’t want my users to use the new login before I tested it.

I solved this dilemma with a feature toggle. My users saw the old login, but I saw the new one. The code worked like this (Node.js):

if (siteContext.useAuth0ForAuthentication()) {
  // new Auth0 HTML
}
else {
  // old Persona HTML
}

As part of the change, I had to implement a new email validation page. It wasn’t exposed to existing users, but it was still possible for people to manually type in the URL, so I also used the feature toggle to redirect them away:

httpGet(siteContext) {
  if (!siteContext.useAuth0ForAuthentication()) return redirectToAccountPage();
  ⋮
}

Your feature toggle needs the same attention to quality as the rest of your code.

Your feature toggle is real code. It needs the same attention to quality as the rest of your code. For example, the email validation page had this test:

it("redirects to account page if Auth0 feature toggle is off", function() {
  const siteContext = createContext({ auth0: false });
  const response = httpGet(siteContext);
  assertRedirects(response, "/v3/account"));
});

Treat the design of your feature toggles with respect, too. Although an if statement is usually good enough, code with a lot of variations might need something more sophisticated, such as the Strategy pattern [Gamma et al. 1995].

Be sure to remove feature toggles after they’re no longer needed. This can be easy to forget, which is one of the reasons I prefer keystones to feature toggles. To help you remember, you can add a reminder to your team calendar or a “remove toggle” story to your team’s plan. Some teams program their toggle code to log an alert or fail tests after its expiration date has passed.

How does your code know when the toggle is enabled? In other words, where do you implement your equivalent of useAuth0ForAuthentication()? You have several options.

Application configuration

The most straightforward place to add feature toggles is to your application configuration. Your configuration code can pull the state of the toggle from a constant, an environment variable, a database, or whatever you like. A constant is simplest, so it’s my first choice, but an environment variable or database will allow you to enable or disable the toggle on a machine-by-machine basis, which allows you to perform incremental releases.

Ally Reflective Design

Remember to pay attention to design. As you add more feature toggles, you may need an additional levels of abstraction, such as config.features.useAuth0ForAuthentication().

User configuration

If you want to enable your toggle based on who’s logged in, make it a privilege or capability attached to your user or account abstraction. For example, user.capabilities.logsInWithAuth0().

Secrets

In some cases, you’ll want to enable a toggle on a case-by-case basis, but you won’t be able to attach that capability to a user. For example, during my authentication transition, I needed to enable the new login button before I was actually logged in.

In this case, you can use a secret to enable the toggle. In client-based applications, the secret can take the form of a special file in the file system. For server-based applications, a cookie or other request header will work. That’s what I did for my authentication toggle. I programmed the code to look for a secret cookie that could only be set by logging in as an administrator.

Secret-based toggles are riskier than configuration-based toggles. If the secret gets out, anybody can enable the feature. They’re also harder to set up and control. I only use them as a last resort.

Prerequisites

Ally Collective Code Ownership Reflective Design

Anybody can use keystones. Feature toggles run the risk of growing out of control, so the team needs pay attention to their design and removal, especially as they multiply. Collective code ownership and reflective design help.

Indicators

When you use keystones and feature toggles well:

  • Your team can deploy software that includes incomplete code.

  • Releasing is a business decision, not a technical decision.

  • Toggle-related code is clean, well-designed, and well-tested.

Alternatives and Experiments

Ally Refactoring Reflective Design

Feature branches are a common alternative to keystones and feature toggles. When someone starts working on a new feature, they create a branch, and they don’t merge that branch back into the rest of the code until the feature is done. This is effective at keeping unfinished changes out of the hands of customers, but significant refactorings tend to cause merge conflicts. This makes it a poor choice for Delivering teams, which rely on refactoring and reflective design to keep costs low.

Some teams use release branches to configure different versions of their software for different customers. It’s most common in niche business-to-business software. Although it’s a convenient way to customize your software, at first, it leads to high maintenance costs. The cost of keeping all the branches in sync tends to grow out of control. Feature toggles are a better approach.

Keystones are so simple, they don’t leave a lot of room for experimentation. Feature toggles, on the other hand, are ripe for exploration. Look for ways to keep your feature toggles organized and the design clean. Consider how your toggles can provide new business capabilities. For example, feature toggles are often used for A/B testing, which involves showing different versions of your software to different users, then making decisions based on the results.

As you experiment, remember that simpler is better. Although keystones may seem like a cheap trick, they’re very effective, and they keep the code clean. It’s easy for feature toggles to get out of control. Stick with simple solutions whenever you can.

Further Reading

Martin Fowler goes into more detail about keystones in [Fowler 2020a].

Pete Hodgson has a very thorough discussion of feature toggles in [Hodgson 2017].

Share your feedback about this excerpt on the AoAD2 mailing list! Sign up here.

For more excerpts from the book, or to get a copy of the Early Release, see the Second Edition home page.


About Joyk


Aggregate valuable and interesting links.
Joyk means Joy of geeK