- #1
AK2
- 39
- 0
Code:
/* Demonstrates passing a pointer to a multidimensional */
/* array to a function. */
#include <stdio.h>
void printarray_1(int (*ptr)[4]);
void printarray_2(int (*ptr)[4], int n);
main()
{
int multi[3][4] = { { 1, 2, 3, 4 },
{ 5, 6, 7, 8 },
{ 9, 10, 11, 12 } };
/* ptr is a pointer to an array of 4 ints. */
int (*ptr)[4], count;
/* Set ptr to point to the first element of multi. */
ptr = multi;
/* With each loop, ptr is incremented to point to the next */
/* element (that is, the next 4-element integer array) of multi. */
[b] for (count = 0; count < 3; count++)
printarray_1(ptr++);
puts("\n\nPress Enter...");
getchar();
printarray_2(multi, 3);
printf("\n");
return(0);
}
void printarray_1(int (*ptr)[4])
{
/* Prints the elements of a single four-element integer array. */
/* p is a pointer to type int. You must use a type cast */
/* to make p equal to the address in ptr. */
int *p, count;
p = (int *)ptr;
for (count = 0; count < 4; count++)
printf("\n%d", *p++);
}
void printarray_2(int (*ptr)[4], int n)
{
/* Prints the elements of an n by four-element integer array. */
int *p, count;
p = (int *)ptr;
for (count = 0; count < (4 * n); count++)
printf("\n%d", *p++);
} [/b]
I don't have a good understanding of the bolded part. But since the practice in this forum is to say what I understand I will do just that.From the beginning there is a for loop. After it there is a line where there is a call to printarray_1. The argument passed is a pointer to multi[0] (ie the first element of multi[3][4] which is also a four element array). In the definition of the function void printarray_1 after the for loop the pointer *p is incremented how come it was able to print all the integer elements of multi[0], multi[1] and multi[2]. The same thing also in the definition of void printarray_2. Also in the definition of void printarray_2, the condition of the four loop why is it count<(4*3) .