Here's an example snippet:
int i = 4,b;
b = foo(i++) + foo(i++);
I'm pretty certain it's not undefined, because there is a sequence point before the invocation of foo
. However, if I compile the code with the -Wall
flag a compiler warning is generated which says warning: operation on 'i' may be undefined
. I realize it says may
, but I'd just like to double check if I'm correct.
The behavior is undefined.
As you say, there's a sequence point between the evaluation of the first
i++
and the call tofoo
, and likewise between the evaluation of the secondi++
and the callfoo
. But there isn't (necessarily) a sequence point between the two evaluations ofi++
, or more specifically between their side effects (modifyingi
).Quoting the N1570 draft of the 2011 ISO C standard, section 6.5.2.2p10:
The second sentence is significant here: the two evaluations of
i++
are "indeterminately sequenced" with respect to the two function calls, meaning that they can occur either before or after the calls tofoo
. (They're not unsequenced, though; each of them occurs either before or after the calls, but it's unspecified which.)And 6.5p2 says:
Putting this together, a conforming implementation could evaluate the expression in this order:
i++
and save the value somewhere.i++
and save the value somewhere.foo
, passing the first saved value as an argument.foo
, passing the second saved value as an argument.b
.There is no sequence point between steps 1 and 2, both of which modify
i
, so the behavior is undefined.(That's actually a slight oversimplification; the side effect of modifying
i
can be separated from the determination of the result ofi++
.Bottom line: We know that
has undefined behavior, for reasons that have been explained repeatedly. Wrapping the
i++
subexpressions in function calls does add some sequence points, but those sequence points don't separate the two evaluations ofi++
and therefore don't cause the behavior to become well defined.Even bottommer line: Please don't write code like that. Even if the behavior were well defined, it would be more difficult than it's worth to prove it and to determine what the behavior should be.