If you haven’t already seen Part 1 of this series, click here to go to it.
Example 2, if/then/else Statements in Apex:
This article deals with the humble if/then/else statement, specifically the executable part of the statement. As before, I’m writing in Apex code, so there may be minimal syntactical differences between this and similar, related languages e.g. C & variants, Java, etc.
We can start with a simple, common binary use of the if statement:
if (a == b) runSomething(); else runSomethingElse();
Figure 1, above, is a simple case of “if a = b then run something, otherwise run something else“. It looks perfectly fine.
if (a == b) runSomething(); else runSomethingElse();
Figure 2, above, is almost identical to Figure 1 except that the executable part of the if and else clauses are on separate lines and indented. A little better. More readable, perhaps, and functionally identical.
if (a == b) {runSomething(); } else { runSomeThingElse(); }
Figure 3, above, has expanded on Figure 1. The addition of block braces around the executable sections serve to demarcate the runnable parts of the code.
if (a == b) {runSomething(); andSomethingElse(); } else { runSomeThingElse(); andRunAFourthThing(); }
Figure 4, above, is an example of where the programmer has added some extra method calls into the two executable blocks. This would not be possible for Figure 1 and Figure 2 above without the addition of braces.
if (a == b) { runSomething(); } else { runSomethingElse(); }
Figure 5, above, is where we FINALLY come to the version that I’m happy with. The if and else clauses are on their own lines, block braces surround the executable sections of both clauses and indentation completes the picture.
if (a == b) { runSomething(); andRunSomethingElse(); } else { runSomethingElse(); andRunAFourthThing(); }
Figure 6, above, is a clear illustration of how easy it is to add two method calls without upsetting any of the surrounding lines of code in Figure 5. No braces need to be added because they are already there. The value of this style is that you may wish to add multiple lines within any of the code blocks; this makes it very easy to do and retains code legibility.
As ever, please feel free to post your comments, whether you agree with me or not.