I found this program in a contest question paper:
#include <iostream>
void main()
{
int a[5] = { 1, 2, 3, 4, 5 };
int *ptr = (int*)(&a + 1);
printf("%d %d ",*(a + 1), *(ptr - 1));
}
The output is 2 5
now when I change the 5th line to int *ptr=(int*)(&a);
and printf("%d %d ",*(a + 1), *(ptr));
The output becomes 2 1
In the first case the ptr
got the last address of the array+1
and in the second case the ptr
got the same address of the array(address of a
).
My doubt is why does this assignment show different kind of behavior when the a is incremented and assigned to ptr
and when a
is assigned to ptr
without incrementing?
When you take the address of the array, you get a pointer to an array of 5 ints (that is,
int(*)[5]
). When you increment that pointer, it moves by the size of an array of 5 ints. So it points to the next array in a sequence of arrays (if you actually had a sequence of arrays). Then when you convert that pointer toint*
, it becomes a pointer to the firstint
of the second (non-existent) array, which is one element after the last element of the first array. So that's what is happening with your first example.With your second example, you are not incrementing the pointer to the array, so when you convert it to
int*
, it becomes a pointer to the firstint
in the array.