Arrays

🗓 January 23, 2025

⏲ 1:25 PM


Definition

A collection of elements, of the same data type, stored in contiguous memory locations. Each element is identified by a unique index, typically starting at 0 in most programming languages. The memory address at the first element is known as the base address. Subsequent elements are located at a fixed offset from the base, calculated based on the size of the data type being stored.

Example: Creating Arrays

The first example, is a fairly common way of defining an array. Here we are creating an array named numbers with 5 indices reserved. The array is storing the int data type. This data type is 32 bits, or 4 bytes long. So the computer knows that it needs to reserve 5 indices each of size 4 bytes for a total of 20 bytes of memory. We then initialize the array with the values {1, 2, 3, 4, 5}.


            int numbers[5] = {1, 2, 3, 4, 5};
        

We can also assign fewer elements than are reserved for the array. This leaves the last two reserved elements available so that we can assign them later.


            int numbers[5] = {1, 2, 3};
        

It is also possible to initialize an array without specifying the size. The compiler will know the size of the array because it knows the number of items stored inside of it. Even though this is possible, it is best to be explicit when defining your arrays.


            int numbers[] = {1, 2, 3, 4, 5}
        

As you can see, the array still has 5 indices being used, and the compiler will recognize that.

Example: Accessing Arrays

You can access an array index by passing the index you wish to access to the array as shown below. Just remember to keep in mind how your programming language indexes arrays. Most are zero-indexed, meaning the first element is stored at index 0, and the last element is stored at n-1 where n is the size of your array.

I am using C for all of these code examples, and C is a zero-indexed language, as are most other programming languages. So to access the last element in our 5 element array, I will pass index 4 to the array.


            #include <stdio.h>
            int main() {
              int numbers[5] = {1, 2, 3, 4, 5};
              printf("%d\n", numbers[4]);
              return 0;
            }

            // output:
            // 5
        

In the above code we print out the last element of our array.

You can use a similar mechanic to re-assign indices. Take a look at the code below.


            #include <stdio.h>
            int main() {
              int numbers[5] = {1, 2, 3, 4, 5};
              numbers[0] = 6;
              return 0;
            }
        

Here, we change the first number of the array to 6.