Reviewing some 3rd party C code I came across something like:
switch (state) {
case 0:
if (c=='A') { // open brace
// code...
break; // brace not closed!
case 1:
// code...
break;
} // close brace!
case 2:
// code...
break;
}
Which in the code I was reviewing appeared to be just a typo but I was surprised that it compiled with out error.
Why is this valid C?
What is the effect on the execution of this code compared to closing the brace at the expected place?
Is there any case where this could be of use?
Edit: In the example I looked at all breaks were present (as above) - but answer could also include behaviour if break absent in case 0 or 1.
In C and C++ it is legal to jump into loops and if blocks so long as you don't jump over any variable declarations. You can check this answer for an example using
goto
, but I don't see why the same ideas wouldn't apply toswitch
blocks.The semantics are different than if the
}
was abovecase 1
as you would expect.This code actually says if
state == 0
andc != 'A'
then go tocase 2
since that's where the closing brace of theif
statement is. It then processes that code and hits thebreak
statement at the end of thecase 2
code.Not only is it valid, similar structure has been used in real code, e.g., Duff's Device, which is an unrolled loop for copying a buffer:
Since a
switch
statement really just computes an address and jumps to it, it's easy to see why it can overlap with other control structures; the lines within other control structures have addresses that can be jump targets, too!In the case you presented, imagine if there were no
switch
orbreak
s in your code. When you've finished executing thethen
portion of aif
statement, you just keep going, so you'd fall through into thecase 2:
. Now, since you have theswitch
andbreak
, it matters whatbreak
can break out of. According to the MSDN page, “The C break statement”,Since the nearest enclosing do, for, switch, or while statement is your switch (notice that if is not included in that list), then if you're inside the
then
block, you transfer to the outside of theswitch
statement. What's a bit more interesting, though, is what happens if you entercase 0
, butc == 'A'
is false. Then theif
transfers control to just after the closing brace of thethen
block, and you start executing the code incase 2
.