In KR C book page 112 it says that following:
int (*arr1)[10];
is a pointer to an array of 10 integers. I don't get what's difference between above and:
int arr2[10];
1- Isn't arr2
itself a pointer to array of 10 integers? (Because name of an array is a pointer itself.)
2- If the name of an array is the array address and pointer to that array, then both arr1
and arr2
are pointer to array of integers, isn't this true?
No, it's an array.
Array names can be/are converted to pointers to their 0th element (not the entire array).
No.
arr1
is a pointer to an array of 10 integers.arr2
is an array of 10 integers. In most contexts it converts to a pointer to an integer (not a pointer to an array).Check this wrong example for instance:
Here I am treating both
arr1
andarr2
as the "same thing", and I got this error:But if I do:
it will pass compilation! Same with
(*arr1)[5] = 747;
of course.cdecl.org will show you what C interprets your variable declaration as. Quite handy as you start getting into more complicated variable declarations.
int arr2[10]; declare arr2 as array 10 of int
int (*arr1)[10]; declare arr1 as pointer to array 10 of int
The relationship between arrays and pointers is one of the more confusing aspects of C. Allow me to explain by way of example. The following code fills and displays a simple one-dimensional array:
You can see that when an array is passed to a function, the array name is taken as a pointer to the first element of the array. In this example, the first element is an
int
, so the pointer is anint *
.Now consider this code that fills and prints a two-dimensional array:
The array name is still a pointer to the first element of the array. But in this example the first element of the array is itself an array, specifically an array of 10
int
. So the pointer in the function is a pointer to an array of 10int
.What I hope to impress upon you is that a pointer of the form
(int *ptr)[10]
has some correspondence to a two-dimensional array, whereas a pointer of the formint *ptr
has some correspondence to a one-dimensional array.