Sorry for opening this topic again, but thinking about this topic itself has started giving me an Undefined Behavior. Want to move into the zone of well-defined behavior.
Given
int i = 0;
int v[10];
i = ++i; //Expr1
i = i++; //Expr2
++ ++i; //Expr3
i = v[i++]; //Expr4
I think of the above expressions (in that order) as
operator=(i, operator++(i)) ; //Expr1 equivalent
operator=(i, operator++(i, 0)) ; //Expr2 equivalent
operator++(operator++(i)) ; //Expr3 equivalent
operator=(i, operator[](operator++(i, 0)); //Expr4 equivalent
Now coming to behaviors here are the important quotes from C++ 0x.
$1.9/12- "Evaluation of an expression (or a sub-expression) in general includes both value computations (including determining the identity of an object for lvalue evaluation and fetchinga value previously assigned to an object for rvalue evaluation) and initiation of side effects."
$1.9/15- "If a side effect on a scalar object is unsequenced relative to either another side effect on the same scalar object or a value computation using the value of the same scalar object, the behavior is undefined."
[ Note: Value computations and side effects associated with different argument expressions are unsequenced. —end note ]
$3.9/9- "Arithmetic types (3.9.1), enumeration types, pointer types, pointer to member types (3.9.2), std::nullptr_t, and cv-qualified versions of these types (3.9.3) are collectively called scalar types."
In Expr1, the evaluation of the expression
i
(first argument), is unsequenced with respect to the evaluation of the expessionoperator++(i)
(which has a side effect).Hence Expr1 has undefined behavior.
In Expr2, the evaluation of the expression
i
(first argument), is unsequenced with respect to the evaluation of the expessionoperator++(i, 0)
(which has a side effect)'.Hence Expr2 has undefined behavior.
In Expr3, the evaluation of the lone argument
operator++(i)
is required to be complete before the outeroperator++
is called.Hence Expr3 has well defined behavior.
In Expr4, the evaluation of the expression
i
(first argument) is unsequenced with respect to the evaluation of theoperator[](operator++(i, 0)
(which has a side effect).Hence Expr4 has undefined behavior.
Is this understanding correct?
P.S. The method of analyzing the expressions as in OP is not correct. This is because, as @Potatoswatter, notes - "clause 13.6 does not apply. See the disclaimer in 13.6/1, "These candidate functions participate in the operator overload resolution process as described in 13.3.1.2 and are used for no other purpose." They are just dummy declarations; no function-call semantics exist with respect to built-in operators."
See Question&Answers more detail:os