Have you ever spent more than a few seconds staring at the same line of code? How often did you find conditionals that were tricky to parse? In this article, we discuss how confusing conditionals manifest in our code. Along the way, we also explore different refactoring techniques for improving the readability of conditional control flows.
Double Negatives
A double negative arises when we negate a variable whose name is already in a non-affirmative style. Consider the following example.
// Non-affirmative Naming Convention
const isNotReady = doSomething();
const isForbidden = doSomething();
const cannotJoinRoom = doSomething();
const hasNoPermission = doSomething();
// Negating once results in an awkward double negative situation.
console.log(!isNotReady);
console.log(!isForbidden);
console.log(!cannotJoinRoom);
console.log(!hasNoPermission);
This is opposed to the affirmative style, which requires less cognitive load to parse because one does not need to jump through the hoops of negating the variable name to extract the essence of its logic. In other words, the intent behind an affirmative variable may be read as is—no hoops required! Consider the following modifications to the previous example.
// Affirmative Naming Convention
const isReady = doSomething();
const isAllowed = doSomething();
const canJoinRoom = doSomething();
const hasPermission = doSomething();
// Negation actually makes sense here!
console.log(!isReady);
console.log(!isAllowed);
console.log(!canJoinRoom);
console.log(!hasPermission);
Unfortunately, non-affirmative naming conventions are sometimes inevitable due to standards and backwards-compatibility. Take the HTMLInputElement#disabled
property of the HTML DOM APIs for example. The presence of the disabled
attribute in an <input>
tag tells the browser to (visually and literally) disable the element's form controls. Otherwise, its absence causes the <input>
to exhibit its default behavior, which is to accept user input. This is an unfortunate side effect of the ergonomics of HTML.
<!-- Normal Checkbox (Default) -->
<input type="checkbox" />
<!-- Disabled Checkbox -->
<input type="checkbox" disabled />
Nevertheless, we should still strive for affirmative naming conventions wherever possible. They are easier to read and parse simply because there is no need to mentally negate the variable name at all times. This rule applies to both variables names and function names alike.
Non-affirmative Control Flows
The next form of a double negative is a little bit more subtle.
// Suppose that we _do_ follow affirmative naming conventions.
const isAllowed = checkSomething();
if (!isAllowed) {
// There is something funny about this...
doError();
} else {
// Notice how the `else` block is practically a double negation?
doSuccess();
}
As seen above, the non-affirmative style can also pervade conditional control flow. Recall that an else
block is practically a negation of the corresponding if
condition. We must therefore extend the affirmative style here. The fix is actually rather simple.
// Just invert the logic!
const isAllowed = checkSomething();
if (isAllowed) {
doSuccess();
} else {
doError();
}
The same rule applies to equality and inequality checks.
// ❌ Don't do this!
if (value !== 0) {
doError();
} else {
doSuccess();
}
// ✅ Prefer this instead.
if (value === 0) {
doSuccess();
} else {
doError();
}
Some may even go as far as to let a conditional block be blank just to negate a condition in affirmative style. Although I am not advocating for everyone to take it this far, I can see why this may be more readable for some people. Take the instanceof
operator for example, which cannot be easily negated without parentheses.
if (obj instanceof Animal) {
// Intentionally left blank.
} else {
// Do actual work here (in the negation).
doSomething();
}
Exceptions for Early Returns
As a quick aside, there are special exceptions for conditional control flows that return early. In such cases, the negation may be necessary.
if (!isAllowed) {
// Return early here.
doError();
return;
}
// Otherwise, proceed with the success branch.
doSuccess();
Wherever possible, though, we should still attempt to invert the logic if it results in lesser nesting, fewer levels of indentation, and more readable affirmative styles.
// Prefer affirmative early returns.
if (isAllowed) {
doSuccess();
return;
}
// If we did not invert the logic, this would have been
// nested inside the `!isAllowed` conditional block.
if (!hasPermission) {
doPermissionError();
return;
}
// When all else fails, do something else.
doSomethingElse();
return;
Another way to express the same control flow in an affirmative style (without early returns) is as follows.
// Hooray for the affirmative style!
if (isAllowed) {
doSuccess();
} else if (hasPermission) {
doSomethingElse();
} else {
doPermissionError();
}
return;
Of course, there are plenty of other ways to swap, invert, and refactor the code—the merits for each are totally subjective. Preserving the affirmative conventions thus becomes some kind of an art form. In any case, code readability will always improve as long as we uphold the general guidelines of the affirmative style.
Compound Conditions
The story gets a little bit more complicated with logical operators such as AND
and OR
. For instance, how do we refactor the code below in a more affirmative style?
// This is fine... but there has to be a better way,
// right? There are just too many negations here!
if (!isUser || !isGuest) {
doSomething();
} else {
doAnotherThing();
}
For compound conditionals, we introduce the most underrated law of Boolean algebra: De Morgan's Laws!
// Suppose that these are **any** two Boolean variables.
let a: boolean;
let b: boolean;
// The following assertions will **always** hold for any
// possible pairing of values for `a` and `b`.
!(a && b) === !a || !b;
!(a || b) === !a && !b;
Thanks to De Morgan's Laws, we now have a way to "distribute" the negation inside a condition and then "flip" its operator (from &&
to ||
and vice-versa).
Although the following examples only feature binary comparison (i.e., two elements), De Morgan's Laws are generalizable over any number of conditional variables as long as we respect operator precedence. Namely, the
&&
operator is always evaluated first before the||
operator.
// By De Morgan's Laws, we can "factor out" the negation as follows.
if (!(isUser && isGuest)) {
doSomething();
} else {
doAnotherThing();
}
// Then we simply invert the logic as we did in the previous section.
if (isUser && isGuest) {
doAnotherThing();
} else {
doSomething();
}
Now, isn't that much more readable? Using De Morgan's Laws, we can clean up conditionals that have "too many negations".
Conclusion
The overall theme should be apparent at this point. Wherever possible, we should avoid writing code that forces the reader to jump through hoops that (needlessly) necessitate extra cognitive overhead. In this article, we discussed the following techniques:
- Encourage affirmative naming conventions.
- Avoid negative terms/prefixes like
no
,not
,dis-
,mal-
, etc. - Prefer the positive equivalents.
- Avoid negative terms/prefixes like
- Invert conditional control flow (where possible) to accommodate for the affirmative style.
- Feel free to play around when swapping, inverting, and refactoring branches.
- Early returns may necessitate negations.
- Use some tricks from Boolean algebra to invert condtionals.
- De Morgan's Laws are especially powerful tools for refactoring!
Now go forth and bless the world with cleaner conditionals!