Skip to content Skip to sidebar Skip to footer

Increment A Number By Prefix And Postfix Operator

By mistake, I wrote: ++number++; and got this: Uncaught ReferenceError: Invalid left-hand side expression in prefix operation Why? I would except this to to first increment numbe

Solution 1:

In JavaScript, ++ is both the prefix and postfix increment operator. The postfix operator has higher precedence, and so when we apply precedence, your expression becomes:

++(number++);

The result of number++ is a value, not a variable reference, and so it cannot be the operand of the prefix increment operator, for the same reason ++42 is invalid — there's nowhere to write the result back to.


Why does it call it the "left-hand side expression" when it's to the right of the operator? You'd have to look at the V8 source code (I can tell from the text of the error you're doing this on V8, probably Chrome). I can speculate that it's because many operators accept two operands (left and right), and that they just call the only operand to unary operators like ++ the "left-hand" by default. But that's speculation.

Post a Comment for "Increment A Number By Prefix And Postfix Operator"