Arrays and Memory

Learn how array elements are stored in memory.

Ordinary variables in memory

i, j, k, l, and m are ordinary variables. They may or may not be stored in adjacent memory locations. This is indicated in the output of the first printf( ).

#include<stdio.h>

int main() {
    int i =3, j = 20, k = -5, l = 7, m =11;
    // Prints address of ordinary variables
    printf("%u %u %u %u %u\n", &i, &j, &k, &l, &m);

}

📝 Note: You might get different addresses each time you run the program given above.

Array elements in memory

Array elements are always stored in adjacent memory locations, as indicated in the output of the for loop.

#include<stdio.h>

int main() {
    int a[] = {3,20,-5,7,11};
    int ii;
    for (ii = 0; ii <= 4; ii++){
    // Prints address of array elements
         printf("%u ", &a[ii]);
    }
    printf("\nSize of array = %d", sizeof(a));
}

The compiler allocates a consecutive 20 bytes to the array, a[]. To calculate the number of bytes allocated to an array we will use the following formula:

Size of an array = Size of data type  Number of elements in an arraySize\ of\ an\ array\ =\ Size\ of\ data\ type\ *\ Number \ of\ elements\ in \ an \ array ...