Difference between *ptr += 1 and *ptr++ in C Difference between *ptr += 1 and *ptr++ in C c c

Difference between *ptr += 1 and *ptr++ in C


The difference is due to operator precedence.

The post-increment operator ++ has higher precedence than the dereference operator *. So *ptr++ is equivalent to *(ptr++). In other words, the post increment modifies the pointer, not what it points to.

The assignment operator += has lower precedence than the dereference operator *, so *ptr+=1 is equivalent to (*ptr)+=1. In other words, the assignment operator modifies the value that the pointer points to, and does not change the pointer itself.


The order of precedence for the 3 operators involved in your question is the following :

post-increment ++ > dereference * > assignment +=

You can check this page for further details on the subject.

When parsing an expression, an operator which is listed on some row will be bound tighter (as if by parentheses) to its arguments than any operator that is listed on a row further below it. For example, the expression *p++ is parsed as *(p++), and not as (*p)++.

Long story short, in order to express this assignment *ptr+=1 using the post-increment operator you need to add parentheses to the dereference operator to give that operation precedence over ++ as in this (*ptr)++


Let's apply parentheses to show the order of operations

a + b / ca + (b/c)

Let's do it again with

*ptr   += 1(*ptr) += 1

And again with

*ptr++*(ptr++)
  • In *ptr += 1, we increment the value of the variable our pointer points to.
  • In *ptr++, we increment the pointer after our entire statement (line of code) is done, and return a reference to the variable our pointer points to.

The latter allows you to do things like:

for(int i = 0; i < length; i++){    // Copy value from *src and store it in *dest    *dest++ = *src++;    // Keep in mind that the above is equivalent to    *(dest++) = *(src++);}

This is a common method used to copy a src array into another dest array.