DEV Community

Cover image for Introduction to Data Structures and Arrays
Harsh Mishra
Harsh Mishra

Posted on • Updated on

Introduction to Data Structures and Arrays

Introduction to Data Structures

Data structures are fundamental concepts in computer science that involve organizing, managing, and storing data in a way that enables efficient access and modification. Understanding data structures is crucial because they provide the foundation for designing efficient algorithms and managing large amounts of data. Data structures can be broadly categorized into primitive data structures (such as integers, floats, and characters) and non-primitive data structures (such as arrays, linked lists, stacks, queues, trees, and graphs).

Complexity Analysis

Complexity analysis is the study of how the performance of an algorithm changes with the size of the input. It helps in understanding the efficiency of algorithms in terms of time and space. There are two main types of complexity:

Time Complexity

Time complexity measures the amount of time an algorithm takes to complete as a function of the length of the input.

Space Complexity

Space complexity measures the amount of memory an algorithm uses as a function of the length of the input.

Time and Space Complexity Trade-Off

There is often a trade-off between time complexity and space complexity. Improving the time complexity of an algorithm can sometimes lead to increased space usage and vice versa. Efficient algorithm design involves finding a balance between time and space requirements based on the specific needs of the application.

Big O Notation

Big O notation describes the upper bound of the time complexity of an algorithm. It provides the worst-case scenario for the growth rate of an algorithm.

O(f(n))
Enter fullscreen mode Exit fullscreen mode

Here, f(n) represents a function of the input size n. For example, an algorithm with time complexity O(n^2) will have its execution time increase quadratically as the input size increases.

Omega Notation

Omega notation describes the lower bound of the time complexity of an algorithm. It provides the best-case scenario for the growth rate of an algorithm.

Ω(f(n))
Enter fullscreen mode Exit fullscreen mode

Here, f(n) represents a function of the input size n. For example, an algorithm with time complexity Ω(n) will take at least linear time in the best case.

Theta Notation

Theta notation describes the exact bound of the time complexity of an algorithm. It provides a tight bound, indicating that the algorithm's growth rate is asymptotically bounded both above and below.

Θ(f(n))
Enter fullscreen mode Exit fullscreen mode

Here, f(n) represents a function of the input size n. For example, an algorithm with time complexity Θ(n log n) will grow at a rate proportional to n log n for large inputs.

Basic Data Structures

Arrays

Arrays are a collection of elements identified by index or key. They are stored in contiguous memory locations, which allows for efficient access using an index.

Linked Lists

Linked lists are a linear collection of elements, called nodes, where each node points to the next node by means of a pointer. Types include singly linked lists, doubly linked lists, and circular linked lists.

Stacks

Stacks are linear data structures that follow a Last In, First Out (LIFO) order. The main operations are push (inserting an element) and pop (removing an element).

Queues

Queues are linear data structures that follow a First In, First Out (FIFO) order. The main operations are enqueue (inserting an element) and dequeue (removing an element).

Trees

Trees are hierarchical data structures consisting of nodes connected by edges. Each tree has a root node and zero or more child nodes. Types include binary trees, binary search trees, AVL trees, and B-trees.

Graphs

Graphs are collections of nodes (vertices) connected by edges. They can be directed or undirected and are used to represent networks, such as social networks or transportation systems. Graph traversal algorithms include Depth-First Search (DFS) and Breadth-First Search (BFS).

Understanding these fundamental data structures and their complexities is essential for developing efficient algorithms and effective problem-solving skills in computer science.

Arrays

Introduction to Arrays

Arrays are fundamental data structures that store a collection of elements of the same type in contiguous memory locations. They provide a convenient way to organize and manipulate data, making them essential in computer programming.

Characteristics of Arrays

  • Homogeneity: Arrays store elements of the same data type, ensuring uniformity in data representation.
  • Fixed Size: The size of an array is predetermined upon declaration and cannot be altered during program execution.
  • Contiguous Memory Allocation: Array elements are stored in consecutive memory locations, allowing for efficient memory access.

Advantages of Using Arrays

  • Efficient Access: Arrays offer constant-time access to elements, enabling fast retrieval of data.
  • Compact Storage: Array elements are stored sequentially in memory, leading to efficient memory utilization.
  • Versatility: Arrays can represent various data structures such as lists, queues, and stacks, making them versatile for different applications.

Disadvantages of Using Arrays

  • Fixed Size Limitation: Arrays have a fixed size, which may lead to either underutilization or insufficient space for data storage.
  • Inflexibility: Once declared, the size of an array cannot be dynamically changed, making it challenging to handle variable-sized data.
  • Insertion and Deletion Complexity: Inserting or deleting elements in arrays may require shifting elements, resulting in slower performance for large arrays.

Array Declaration and Initialization

Arrays in C++ are declared and initialized using specific syntax, allowing programmers to define arrays with default or specified values.

Syntax for Declaring Arrays in C++

To declare an array in C++, you specify the data type of the elements followed by the array name and the size of the array in square brackets [].

datatype arrayName[arraySize];
Enter fullscreen mode Exit fullscreen mode

Here, datatype represents the type of elements in the array, arrayName is the identifier for the array, and arraySize is the number of elements in the array.

For example:

int numbers[5];
char characters[10];
float values[100];
Enter fullscreen mode Exit fullscreen mode

Initializing Arrays with Default Values

Arrays in C++ can be initialized with default values using initializer lists or loops.

datatype arrayName[arraySize] = {defaultValue};
Enter fullscreen mode Exit fullscreen mode

This syntax initializes the first element of the array with the specified defaultValue, and the rest of the elements are initialized to zero or null depending on the data type.

For example:

int arr[5] = {0};
char vowels[5] = {'a'};
Enter fullscreen mode Exit fullscreen mode

Initializing Arrays with Specified Values

Arrays can also be initialized with specific values using initializer lists.

datatype arrayName[arraySize] = {val1, val2, val3, ..., valN};
Enter fullscreen mode Exit fullscreen mode

This syntax initializes each element of the array with the specified values.

For example:

int arr[5] = {1, 2, 3, 4, 5};
char grades[3] = {'A', 'B', 'C'};
float prices[4] = {10.5, 20.75, 15.0, 8.99};
Enter fullscreen mode Exit fullscreen mode

Programmers can choose to omit the array size when initializing arrays with specific values, and the compiler will automatically determine the size based on the number of elements provided in the initializer list.

Indices and Addressing

Array indices and addressing are crucial concepts in understanding how arrays are accessed and manipulated in C++.

Indexing in Arrays

In C++, array indexing starts from 0, meaning the first element of the array has an index of 0, the second element has an index of 1, and so on.

For example:

int numbers[5];
numbers[0] = 10;
numbers[1] = 20;
Enter fullscreen mode Exit fullscreen mode

Accessing Elements using Index Notation

Array elements are accessed using square brackets [] along with the index of the element.

For example:

int numbers[5] = {10, 20, 30, 40, 50};
int thirdElement = numbers[2];
Enter fullscreen mode Exit fullscreen mode

Understanding Array Indices and Addressing

Array indices represent the position of elements within the array, starting from 0 and incrementing by one for each subsequent element. The memory address of each element in the array can be calculated using the formula:

address_of_element_i = base_address + (i * size_of_datatype)
Enter fullscreen mode Exit fullscreen mode

Where:

  • base_address is the starting address of the array.
  • i is the index of the element.
  • size_of_datatype is the size of the data type of the array elements.

Example

#include <iostream>

using namespace std;

int main() {
    int numbers[5] = {10, 20, 30, 40, 50};

    int* baseAddress = &numbers[0];

    for (int i = 0; i < 5; ++i) {
        int* addressOfElement = baseAddress + i;
        cout << "Address of element " << i << ": " << addressOfElement << endl;
    }

    return 0;
}
Enter fullscreen mode Exit fullscreen mode

Sample Output:

Address of element 0: 0x7ffd220b7c20
Address of element 1: 0x7ffd220b7c24
Address of element 2: 0x7ffd220b7c28
Address of element 3: 0x7ffd220b7c2c
Address of element 4: 0x7ffd220b7c30
Enter fullscreen mode Exit fullscreen mode

Understanding array indices and addressing is essential for efficient manipulation and traversal of arrays in C++.

Array Operations

Arrays in C++ offer a multitude of operations facilitating manipulation and processing of data efficiently. From initialization to advanced transformations, understanding these operations is crucial for effective programming.

Traversal

Traversal involves accessing each element of an array sequentially, commonly used for processing or inspecting array elements.

#include <iostream>
using namespace std;

int main() {
    int arr[] = {1, 2, 3, 4, 5};
    int size = sizeof(arr) / sizeof(arr[0]); // Determine array size

    // Traversal
    for (int i = 0; i < size; ++i) {
        cout << arr[i] << " "; // Process each element
    }

    return 0;
}
Enter fullscreen mode Exit fullscreen mode

Time Complexity: O(n)

Traversing through the array, we access each element from the first to the last, performing desired operations along the way. This method is fundamental for many array-related tasks, such as searching, sorting, or applying transformations to each element.

Insertion

Insertion in arrays refers to the process of adding new elements at specific positions within the array. This operation is crucial for dynamically updating array contents.

Insertion at the Beginning

Inserting elements at the beginning of an array involves shifting existing elements to the right to make space for the new element.

int newElement = 0;
for (int i = size; i > 0; --i) {
    arr[i] = arr[i - 1];
}
arr[0] = newElement;
++size;
Enter fullscreen mode Exit fullscreen mode

Time Complexity: O(n)

Insertion at the beginning is efficient when the order of elements does not matter, and constant time complexity is preferred.

Insertion at Any Specified Position

Inserting elements at any specified position within an array requires determining the insertion index and shifting subsequent elements to the right to make space for the new element.

int newElement = 10;
int insertIndex = 2; // Example: Insert at index 2
for (int i = size; i > insertIndex; --i) {
    arr[i] = arr[i - 1];
}
arr[insertIndex] = newElement;
++size;
Enter fullscreen mode Exit fullscreen mode

Time Complexity: O(n)

Insertion at any specified position allows for more flexibility in array manipulation, enabling the insertion of elements at desired locations.

Insertion at the End

Inserting elements at the end of an array is relatively straightforward, as it involves directly assigning the new element to the last index.

int newElement = 20;
arr[size] = newElement;
++size;
Enter fullscreen mode Exit fullscreen mode

Time Complexity: O(1)

Insertion at the end is efficient when appending elements to an array without considering the order.

Deletion

Deletion in arrays refers to the process of removing elements from specific positions within the array. This operation is crucial for dynamically updating array contents.

Deletion at the Beginning

Deleting elements at the beginning of an array involves shifting existing elements to the left to fill the gap left by the deleted element.

for (int i = 0; i < size - 1; ++i) {
    arr[i] = arr[i + 1];
}
--size;
Enter fullscreen mode Exit fullscreen mode

Time Complexity: O(n)

Deletion at the beginning requires shifting all subsequent elements to the left, resulting in a linear time complexity.

Deletion at Any Specified Position

Deleting elements at any specified position within an array requires determining the deletion index and shifting subsequent elements to the left to fill the gap left by the deleted element.

int deleteIndex = 2; // Example: Delete element at index 2
for (int i = deleteIndex; i < size - 1; ++i) {
    arr[i] = arr[i + 1];
}
--size;
Enter fullscreen mode Exit fullscreen mode

Time Complexity: O(n)

Deletion at any specified position also necessitates shifting subsequent elements to the left, resulting in a linear time complexity.

Deletion at the End

Deleting elements at the end of an array is relatively straightforward, as it involves simply reducing the size of the array.

--size;
Enter fullscreen mode Exit fullscreen mode

Time Complexity: O(1)

Deletion at the end is efficient as it only requires reducing the size of the array without shifting elements.

Searching

Searching in arrays involves locating specific elements within the array. One commonly used method is linear search, where each element of the array is sequentially compared to the target element.

Linear Search

Linear search iterates through the array, comparing each element with the target element until a match is found or the end of the array is reached.

int target = 10; // Example: Element to search
int index = -1; // Initialize index to indicate not found
for (int i = 0; i < size; ++i) {
    if (arr[i] == target) {
        index = i; // Update index if element is found
        break;
    }
}
Enter fullscreen mode Exit fullscreen mode

Time Complexity: O(n)

Linear search has a linear time complexity since it examines each element in the worst-case scenario.

Updating

Updating elements in arrays involves modifying the value of elements at specific indices within the array.

Modifying Elements at Specific Indices

Modifying elements at specific indices is straightforward; it requires accessing the element at the desired index and assigning it a new value.

int indexToUpdate = 2; // Example: Index to update
int newValue = 20; // New value to assign
arr[indexToUpdate] = newValue;
Enter fullscreen mode Exit fullscreen mode

Time Complexity: O(1)

Updating elements at specific indices has constant time complexity since it directly accesses and modifies the element at the specified index without traversing the entire array.

Reversal

Reversing an array involves swapping elements from the beginning of the array with elements from the end of the array, moving towards the center.

int start = 0; // Initialize start index
int end = size - 1; // Initialize end index
while (start < end) {
    int temp = arr[start]; // Swap elements
    arr[start] = arr[end];
    arr[end] = temp;
    ++start; // Move towards the center
    --end;
}
Enter fullscreen mode Exit fullscreen mode

Time Complexity: O(n)

Reversing an array has a linear time complexity since it swaps elements up to half the size of the array in the worst-case scenario.

Full Code of Array Implementation

This code demonstrates a comprehensive array implementation in C++. It includes functions for insertion, deletion, traversal, search, and sorting within an array. Each operation is encapsulated within the ArrayOperations class, providing a structured approach to array manipulation. The main function showcases the usage of these operations with examples of insertion, deletion, value modification, sorting, and searching.

#include <iostream>
using namespace std;

class ArrayOperations {
private:
    const int MAX_SIZE = 50;
    int arr[50];
    int size;

public:
    ArrayOperations() : size(0) {}

    void traverseAndPrint() {
        for (int i = 0; i < size; ++i) {
            cout << arr[i] << " ";
        }
        cout << endl;
    }

    void insertAtBeginning(int element) {
        for (int i = size; i > 0; --i) {
            arr[i] = arr[i - 1];
        }
        arr[0] = element;
        ++size;
    }

    void insertAtIndex(int index, int element) {
        for (int i = size; i > index; --i) {
            arr[i] = arr[i - 1];
        }
        arr[index] = element;
        ++size;
    }

    void insertAtEnd(int element) {
        arr[size++] = element;
    }

    void deleteFromBeginning() {
        for (int i = 0; i < size - 1; ++i) {
            arr[i] = arr[i + 1];
        }
        --size;
    }

    void deleteFromIndex(int index) {
        for (int i = index; i < size - 1; ++i) {
            arr[i] = arr[i + 1];
        }
        --size;
    }

    void deleteFromEnd() {
        --size;
    }

    int getValueAtIndex(int index) {
        return arr[index];
    }

    void setValueAtIndex(int index, int value) {
        arr[index] = value;
    }

    int linearSearch(int target) {
        for (int i = 0; i < size; ++i) {
            if (arr[i] == target) {
                return i; // Return index if element is found
            }
        }
        return -1; // Return -1 if element is not found
    }

    void bubbleSort() {
        for (int i = 0; i < size - 1; ++i) {
            for (int j = 0; j < size - i - 1; ++j) {
                if (arr[j] > arr[j + 1]) {
                    // Swap elements if they are in the wrong order
                    int temp = arr[j];
                    arr[j] = arr[j + 1];
                    arr[j + 1] = temp;
                }
            }
        }
    }

    void reverseArray() {
        for (int start = 0, end = size - 1; start < end; ++start, --end) {
            int temp = arr[start]; // Swap elements
            arr[start] = arr[end];
            arr[end] = temp;
        }
    }
};

int main() {
    ArrayOperations arrOp;

    // Insertion operations
    arrOp.insertAtEnd(10);
    arrOp.insertAtEnd(20);
    arrOp.insertAtEnd(30);
    arrOp.insertAtEnd(15);
    arrOp.insertAtEnd(25);
    arrOp.insertAtEnd(5);
    cout << "Array elements after insertion: ";
    arrOp.traverseAndPrint();

    arrOp.insertAtBeginning(5);
    cout << "Array elements after insertion at beginning: ";
    arrOp.traverseAndPrint();

    arrOp.insertAtIndex(2, 15);
    cout << "Array elements after insertion at index 2: ";
    arrOp.traverseAndPrint();

    // Deletion operations
    arrOp.deleteFromBeginning();
    cout << "Array elements after deletion from beginning: ";
    arrOp.traverseAndPrint();

    arrOp.deleteFromIndex(2);
    cout << "Array elements after deletion from index 2: ";
    arrOp.traverseAndPrint();

    arrOp.deleteFromEnd();
    cout << "Array elements after deletion from end: ";
    arrOp.traverseAndPrint();

    // Get and set value operations
    int value = arrOp.getValueAtIndex(1);
    cout << "Value at index 1: " << value << endl;

    arrOp.setValueAtIndex(1, 25);
    cout << "Array elements after setting value at index 1: ";
    arrOp.traverseAndPrint();

    // Sorting and searching operations
    cout << "Array elements before sorting: ";
    arrOp.traverseAndPrint();

    arrOp.bubbleSort();
    cout << "Array elements after sorting: ";
    arrOp.traverseAndPrint();

    int target = 20;
    int index = arrOp.linearSearch(target);
    if (index != -1) {
        cout << "Element " << target << " found at index " << index << endl;
    } else {
        cout << "Element " << target << " not found in the array" << endl;
    }

    // Reversal operation
    arrOp.reverseArray();
    cout << "Array elements after reversal: ";
    arrOp.traverseAndPrint();

    return 0;
}
Enter fullscreen mode Exit fullscreen mode

Multidimensional Arrays in C++

Multidimensional arrays, also known as arrays of arrays, allow for the representation of data in multiple dimensions. In C++, you can create arrays with two or more dimensions, enabling the storage of structured data such as matrices, tables, and grids.

Declaration and Initialization

// Declaration of a 2D array
int matrix[3][3];

// Initialization of a 2D array
int table[2][3] = {
    {1, 2, 3},
    {4, 5, 6}
};
Enter fullscreen mode Exit fullscreen mode

Here, matrix is a 3x3 array, and table is a 2x3 array initialized with specific values.

Accessing Elements

// Accessing individual elements
int value = matrix[1][2]; // Accessing element at row 1, column 2

// Traversing the array using nested loops
for (int i = 0; i < 3; ++i) {
    for (int j = 0; j < 3; ++j) {
        cout << matrix[i][j] << " ";
    }
    cout << endl;
}
Enter fullscreen mode Exit fullscreen mode

Accessing elements in a multidimensional array requires specifying both row and column indices. Nested loops are commonly used for traversal, iterating over each row and column.

Getting and Updating Values

// Getting a value at specific indices
int value = matrix[1][2]; // Retrieves value at row 1, column 2

// Updating a value at specific indices
matrix[1][2] = 10; // Sets value at row 1, column 2 to 10
Enter fullscreen mode Exit fullscreen mode

You can retrieve and update values in a multidimensional array by specifying the appropriate row and column indices.

Operations on Multidimensional Arrays

Operations on multidimensional arrays involve various manipulations and computations tailored to the specific data structure. Common operations include matrix multiplication, transposition, and finding the maximum or minimum value.

Matrix Multiplication

Matrix multiplication is a fundamental operation performed on 2D arrays. Given two matrices A and B, their product C is computed as follows:

int result[2][2];
for (int i = 0; i < 2; ++i) {
    for (int j = 0; j < 2; ++j) {
        result[i][j] = 0;
        for (int k = 0; k < 3; ++k) {
            result[i][j] += matrix1[i][k] * matrix2[k][j];
        }
    }
}
Enter fullscreen mode Exit fullscreen mode

Here, result stores the product of two matrices matrix1 and matrix2, assuming they are compatible for multiplication.

Transposition

Matrix transposition involves interchanging rows and columns in a matrix. In a 2D array matrix, transposing it would swap its rows with its columns:

int transposed[3][3];
for (int i = 0; i < 3; ++i) {
    for (int j = 0; j < 3; ++j) {
        transposed[j][i] = matrix[i][j];
    }
}
Enter fullscreen mode Exit fullscreen mode

This operation produces a new matrix transposed where the rows of the original matrix become its columns and vice versa.

Multidimensional arrays provide a versatile way to store and manipulate data in multiple dimensions, offering powerful capabilities for handling complex data structures in C++.

Top comments (0)