Today I came a cross an article by Eric Lippert where he was trying to clear the myth between the operators precedence and the order of evaluation. At the end there were two code snippets that got me confused, here is the first snippet:
int[] arr = {0};
int value = arr[arr[0]++];
Now when I think about the value of the variable value, I simply calculate it to be one. Here's how I thought it's working.
- First declare arr as an array of int with one item inside of it; this item's value is 0.
- Second get the value of arr[0] --0 in this case.
- Third get the value of arr[the value of step 2] (which is still 0) --gets arr[0] again --still 0.
- Fourth assign the value of step 3 (0) to the variable value. --value = 0 now
- Add to the value of step 2 1 --Now arr[0] = 1.
Apparently this is wrong. I tried to search the c# specs for some explicit statement about when the increment is actually happening, but didn't find any.
The second snippet is from a comment of Eric's blog post on the topic:
int[] data = { 11, 22, 33 };
int i = 1;
data[i++] = data[i] + 5;
Now here's how I think this program will execute --after declaring the array and assigning 1 to i. [plz bear with me]
- Get data[i] --1
- Add to the value of step 1 the value 5 --6
- Assign to data[i] (which is still 1) the value of step 2 --data[i] = 6
- Increment i -- i = 2
According to my understanding, this array now should contain the values {11, 27, 33}. However, when I looped to print the array values I got: {11, 38, 33}. This means that the post increment happened before dereferencing the array!
How come? Isn't this post increment supposed to be post? i.e. happen after everything else.
What am I missing guys?