ES.stmt
ES.stmt: Statements
Statements control the flow of control (except for function calls and exception throws, which are expressions).
ES.70: Prefer a switch
-statement to an if
-statement when there is a choice
Reason
- Readability.
- Efficiency: A
switch
compares against constants and is usually better optimized than a series of tests in anif
-then
-else
chain. - A
switch
enables some heuristic consistency checking. For example, have all values of anenum
been covered? If not, is there adefault
?
Example
void use(int n)
{
switch (n) { // good
case 0:
// ...
break;
case 7:
// ...
break;
default:
// ...
break;
}
}
rather than:
void use2(int n)
{
if (n == 0) // bad: if-then-else chain comparing against a set of constants
// ...
else if (n == 7)
// ...
}
Enforcement
Flag if
-then
-else
chains that check against constants (only).
ES.71: Prefer a range-for
-statement to a for
-statement when there is a choice
Reason
Readability. Error prevention. Efficiency.
Example
for (gsl::index i = 0; i < v.size(); ++i) // bad
cout << v[i] << '\n';
for (auto p = v.begin(); p != v.end(); ++p) // bad
cout << *p << '\n';
for (auto& x : v) // OK
cout << x << '\n';
for (gsl::index i = 1; i < v.size(); ++i) // touches two elements: can't be a range-for
cout << v[i] + v[i - 1] << '\n';
for (gsl::index i = 0; i < v.size(); ++i) // possible side effect: can't be a range-for
cout << f(v, &v[i]) << '\n';
for (gsl::index i = 0; i < v.size(); ++i) { // body messes with loop variable: can't be a range-for
if (i % 2 != 0)
cout << v[i] << '\n'; // output odd elements
}
A human or a good static analyzer might determine that there really isn't a side effect on v
in f(v, &v[i])
so that the loop can be rewritten.
"Messing with the loop variable" in the body of a loop is typically best avoided.
Note
Don't use expensive copies of the loop variable of a range-for
loop:
for (string s : vs) // ...
This will copy each element of vs
into s
. Better:
for (string& s : vs) // ...
Better still, if the loop variable isn't modified or copied:
for (const string& s : vs) // ...
Enforcement
Look at loops, if a traditional loop just looks at each element of a sequence, and there are no side effects on what it does with the elements, rewrite the loop to a ranged-for
loop.
ES.72: Prefer a for
-statement to a while
-statement when there is an obvious loop variable
Reason
Readability: the complete logic of the loop is visible "up front". The scope of the loop variable can be limited.
Example
for (gsl::index i = 0; i < vec.size(); i++) {
// do work
}
Example, bad
int i = 0;
while (i < vec.size()) {
// do work
i++;
}
Enforcement
???
ES.73: Prefer a while
-statement to a for
-statement when there is no obvious loop variable
Reason
Readability.
Example
int events = 0;
for (; wait_for_event(); ++events) { // bad, confusing
// ...
}
The "event loop" is misleading because the events
counter has nothing to do with the loop condition (wait_for_event()
).
Better
int events = 0;
while (wait_for_event()) { // better
++events;
// ...
}
Enforcement
Flag actions in for
-initializers and for
-increments that do not relate to the for
-condition.
ES.74: Prefer to declare a loop variable in the initializer part of a for
-statement
See ES.6
ES.75: Avoid do
-statements
Reason
Readability, avoidance of errors. The termination condition is at the end (where it can be overlooked) and the condition is not checked the first time through.
Example
int x;
do {
cin >> x;
// ...
} while (x < 0);
Note
Yes, there are genuine examples where a do
-statement is a clear statement of a solution, but also many bugs.
Enforcement
Flag do
-statements.
ES.76: Avoid goto
Reason
Readability, avoidance of errors. There are better control structures for humans; goto
is for machine generated code.
Exception
Breaking out of a nested loop. In that case, always jump forwards.
for (int i = 0; i < imax; ++i)
for (int j = 0; j < jmax; ++j) {
if (a[i][j] > elem_max) goto finished;
// ...
}
finished:
// ...
Example, bad
There is a fair amount of use of the C goto-exit idiom:
void f()
{
// ...
goto exit;
// ...
goto exit;
// ...
exit:
// ... common cleanup code ...
}
This is an ad-hoc simulation of destructors.
Declare your resources with handles with destructors that clean up.
If for some reason you cannot handle all cleanup with destructors for the variables used,
consider gsl::finally()
as a cleaner and more reliable alternative to goto exit
Enforcement
- Flag
goto
. Better still flag allgoto
s that do not jump from a nested loop to the statement immediately after a nest of loops.
ES.77: Minimize the use of break
and continue
in loops
Reason
In a non-trivial loop body, it is easy to overlook a break
or a continue
.
A break
in a loop has a dramatically different meaning than a break
in a switch
-statement
(and you can have switch
-statement in a loop and a loop in a switch
-case).
Example
switch(x) {
case 1 :
while (/* some condition */) {
// ...
break;
} // Oops! break switch or break while intended?
case 2 :
// ...
break;
}
Alternative
Often, a loop that requires a break
is a good candidate for a function (algorithm), in which case the break
becomes a return
.
//Original code: break inside loop
void use1()
{
std::vector<T> vec = {/* initialized with some values */};
T value;
for (const T item : vec) {
if (/* some condition*/) {
value = item;
break;
}
}
/* then do something with value */
}
//BETTER: create a function and return inside loop
T search(const std::vector<T> &vec)
{
for (const T &item : vec) {
if (/* some condition*/) return item;
}
return T(); //default value
}
void use2()
{
std::vector<T> vec = {/* initialized with some values */};
T value = search(vec);
/* then do something with value */
}
Often, a loop that uses continue
can equivalently and as clearly be expressed by an if
-statement.
for (int item : vec) { // BAD
if (item%2 == 0) continue;
if (item == 5) continue;
if (item > 10) continue;
/* do something with item */
}
for (int item : vec) { // GOOD
if (item%2 != 0 && item != 5 && item <= 10) {
/* do something with item */
}
}
Note
If you really need to break out a loop, a break
is typically better than alternatives such as modifying the loop variable or a goto
:
Enforcement
???
ES.78: Don't rely on implicit fallthrough in switch
statements
Reason
Always end a non-empty case
with a break
. Accidentally leaving out a break
is a fairly common bug.
A deliberate fallthrough can be a maintenance hazard and should be rare and explicit.
Example
switch (eventType) {
case Information:
update_status_bar();
break;
case Warning:
write_event_log();
// Bad - implicit fallthrough
case Error:
display_error_window();
break;
}
Multiple case labels of a single statement is OK:
switch (x) {
case 'a':
case 'b':
case 'f':
do_something(x);
break;
}
Return statements in a case label are also OK:
switch (x) {
case 'a':
return 1;
case 'b':
return 2;
case 'c':
return 3;
}
Exceptions
In rare cases if fallthrough is deemed appropriate, be explicit and use the [[fallthrough]]
annotation:
switch (eventType) {
case Information:
update_status_bar();
break;
case Warning:
write_event_log();
[[fallthrough]];
case Error:
display_error_window();
break;
}
Note
Enforcement
Flag all implicit fallthroughs from non-empty case
s.
ES.79: Use default
to handle common cases (only)
Reason
Code clarity. Improved opportunities for error detection.
Example
enum E { a, b, c, d };
void f1(E x)
{
switch (x) {
case a:
do_something();
break;
case b:
do_something_else();
break;
default:
take_the_default_action();
break;
}
}
Here it is clear that there is a default action and that cases a
and b
are special.
Example
But what if there is no default action and you mean to handle only specific cases? In that case, have an empty default or else it is impossible to know if you meant to handle all cases:
void f2(E x)
{
switch (x) {
case a:
do_something();
break;
case b:
do_something_else();
break;
default:
// do nothing for the rest of the cases
break;
}
}
If you leave out the default
, a maintainer and/or a compiler might reasonably assume that you intended to handle all cases:
void f2(E x)
{
switch (x) {
case a:
do_something();
break;
case b:
case c:
do_something_else();
break;
}
}
Did you forget case d
or deliberately leave it out?
Forgetting a case typically happens when a case is added to an enumeration and the person doing so fails to add it to every
switch over the enumerators.
Enforcement
Flag switch
-statements over an enumeration that don't handle all enumerators and do not have a default
.
This might yield too many false positives in some code bases; if so, flag only switch
es that handle most but not all cases
(that was the strategy of the very first C++ compiler).
ES.84: Don't try to declare a local variable with no name
Reason
There is no such thing. What looks to a human like a variable without a name is to the compiler a statement consisting of a temporary that immediately goes out of scope.
Example, bad
void f()
{
lock_guard<mutex>{mx}; // Bad
// ...
}
This declares an unnamed lock_guard
object that immediately goes out of scope at the point of the semicolon.
This is not an uncommon mistake.
In particular, this particular example can lead to hard-to find race conditions.
Note
Unnamed function arguments are fine.
Enforcement
Flag statements that are just a temporary.
ES.85: Make empty statements visible
Reason
Readability.
Example
for (i = 0; i < max; ++i); // BAD: the empty statement is easily overlooked
v[i] = f(v[i]);
for (auto x : v) { // better
// nothing
}
v[i] = f(v[i]);
Enforcement
Flag empty statements that are not blocks and don't contain comments.
ES.86: Avoid modifying loop control variables inside the body of raw for-loops
Reason
The loop control up front should enable correct reasoning about what is happening inside the loop. Modifying loop counters in both the iteration-expression and inside the body of the loop is a perennial source of surprises and bugs.
Example
for (int i = 0; i < 10; ++i) {
// no updates to i -- ok
}
for (int i = 0; i < 10; ++i) {
//
if (/* something */) ++i; // BAD
//
}
bool skip = false;
for (int i = 0; i < 10; ++i) {
if (skip) { skip = false; continue; }
//
if (/* something */) skip = true; // Better: using two variables for two concepts.
//
}
Enforcement
Flag variables that are potentially updated (have a non-const
use) in both the loop control iteration-expression and the loop body.
ES.87: Don't add redundant ==
or !=
to conditions
Reason
Doing so avoids verbosity and eliminates some opportunities for mistakes. Helps make style consistent and conventional.
Example
By definition, a condition in an if
-statement, while
-statement, or a for
-statement selects between true
and false
.
A numeric value is compared to 0
and a pointer value to nullptr
.
// These all mean "if p is not nullptr"
if (p) { ... } // good
if (p != 0) { ... } // redundant !=0, bad: don't use 0 for pointers
if (p != nullptr) { ... } // redundant !=nullptr, not recommended
Often, if (p)
is read as "if p
is valid" which is a direct expression of the programmers intent,
whereas if (p != nullptr)
would be a long-winded workaround.
Example
This rule is especially useful when a declaration is used as a condition
if (auto pc = dynamic_cast<Circle>(ps)) { ... } // execute if ps points to a kind of Circle, good
if (auto pc = dynamic_cast<Circle>(ps); pc != nullptr) { ... } // not recommended
Example
Note that implicit conversions to bool are applied in conditions. For example:
for (string s; cin >> s; ) v.push_back(s);
This invokes istream
's operator bool()
.
Note
Explicit comparison of an integer to 0
is in general not redundant.
The reason is that (as opposed to pointers and Booleans) an integer often has more than two reasonable values.
Furthermore 0
(zero) is often used to indicate success.
Consequently, it is best to be specific about the comparison.
void f(int i)
{
if (i) // suspect
// ...
if (i == success) // possibly better
// ...
}
Always remember that an integer can have more than two values.
Example, bad
It has been noted that
if(strcmp(p1, p2)) { ... } // are the two C-style strings equal? (mistake!)
is a common beginners error.
If you use C-style strings, you must know the <cstring>
functions well.
Being verbose and writing
if(strcmp(p1, p2) != 0) { ... } // are the two C-style strings equal? (mistake!)
would not in itself save you.
Note
The opposite condition is most easily expressed using a negation:
// These all mean "if p is nullptr"
if (!p) { ... } // good
if (p == 0) { ... } // redundant == 0, bad: don't use 0 for pointers
if (p == nullptr) { ... } // redundant == nullptr, not recommended
Enforcement
Easy, just check for redundant use of !=
and ==
in conditions.