7 Tips to improve the C++ algorithms complexity (Big-O)

Understanding algorithm complexity, specifically Big-O notation, is crucial for analyzing and comparing the efficiency of algorithms. In C++, as in other programming languages, the complexity of an algorithm can significantly impact the performance and scalability of an application. So it’s useful to know how to improve the algorithm complexity. But before that let’s explore the most common algorithm complexities:

1. O(1) – Constant Time

Example: Accessing an element in an array by index.

#include <iostream>

int main() {
    int arr[] = {1, 2, 3, 4, 5};
    int index = 2;
    std::cout << "Element at index " << index << " is " << arr[index] << std::endl;  // O(1) operation
    return 0;
}

2. O(log n) – Logarithmic Time

Example: Binary search in a sorted array.

#include <iostream>
#include <vector>
#include <algorithm>

int binarySearch(const std::vector<int>& arr, int target) {
    int left = 0, right = arr.size() - 1;
    while (left <= right) {
        int mid = left + (right - left) / 2;
        if (arr[mid] == target) return mid;
        if (arr[mid] < target) left = mid + 1;
        else right = mid - 1;
    }
    return -1;
}

int main() {
    std::vector<int> arr = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
    int target = 7;
    int result = binarySearch(arr, target);
    if (result != -1)
        std::cout << "Element found at index " << result << std::endl;
    else
        std::cout << "Element not found" << std::endl;
    return 0;
}

3. O(n) – Linear Time

Example: Summing the elements of an array.

#include <iostream>

int sumArray(const int arr[], int size) {
    int sum = 0;
    for (int i = 0; i < size; ++i) {
        sum += arr[i];
    }
    return sum;
}

int main() {
    int arr[] = {1, 2, 3, 4, 5};
    int size = sizeof(arr) / sizeof(arr[0]);
    std::cout << "Sum of array elements is " << sumArray(arr, size) << std::endl;
    return 0;
}

4. O(n log n) – Linearithmic Time

Example: Mergesort algorithm.

#include <iostream>
#include <vector>

void merge(std::vector<int>& arr, int left, int mid, int right) {
    int n1 = mid - left + 1;
    int n2 = right - mid;
    std::vector<int> L(n1), R(n2);

    for (int i = 0; i < n1; ++i)
        L[i] = arr[left + i];
    for (int i = 0; i < n2; ++i)
        R[i] = arr[mid + 1 + i];

    int i = 0, j = 0, k = left;
    while (i < n1 && j < n2) {
        if (L[i] <= R[j]) {
            arr[k++] = L[i++];
        } else {
            arr[k++] = R[j++];
        }
    }
    while (i < n1) arr[k++] = L[i++];
    while (j < n2) arr[k++] = R[j++];
}

void mergeSort(std::vector<int>& arr, int left, int right) {
    if (left < right) {
        int mid = left + (right - left) / 2;
        mergeSort(arr, left, mid);
        mergeSort(arr, mid + 1, right);
        merge(arr, left, mid, right);
    }
}

int main() {
    std::vector<int> arr = {12, 11, 13, 5, 6, 7};
    mergeSort(arr, 0, arr.size() - 1);
    for (int x : arr) std::cout << x << " ";
    std::cout << std::endl;
    return 0;
}

5. O(n^2) – Quadratic Time

Example: Bubble sort algorithm.

#include <iostream>

void bubbleSort(int arr[], int size) {
    for (int i = 0; i < size - 1; ++i) {
        for (int j = 0; j < size - i - 1; ++j) {
            if (arr[j] > arr[j + 1]) {
                std::swap(arr[j], arr[j + 1]);
            }
        }
    }
}

int main() {
    int arr[] = {5, 1, 4, 2, 8};
    int size = sizeof(arr) / sizeof(arr[0]);
    bubbleSort(arr, size);
    for (int i = 0; i < size; ++i)
        std::cout << arr[i] << " ";
    std::cout << std::endl;
    return 0;
}

6. O(n^3) – Cubic Time

Example: Checking if three numbers in an array sum up to a given number.

#include <iostream>

bool findTriplet(int arr[], int n, int sum) {
    for (int i = 0; i < n - 2; ++i) {
        for (int j = i + 1; j < n - 1; ++j) {
            for (int k = j + 1; k < n; ++k) {
                if (arr[i] + arr[j] + arr[k] == sum) {
                    std::cout << "Triplet found: " << arr[i] << ", " << arr[j] << ", " << arr[k] << std::endl;
                    return true;
                }
            }
        }
    }
    return false;
}

int main() {
    int arr[] = {1, 4, 45, 6, 10, 8};
    int sum = 22;
    int size = sizeof(arr) / sizeof(arr[0]);
    if (!findTriplet(arr, size, sum))
        std::cout << "No triplet found" << std::endl;
    return 0;
}

7. O(2^n) – Exponential Time

Example: Recursive calculation of Fibonacci numbers.

#include <iostream>

int fibonacci(int n) {
    if (n <= 1) return n;
    return fibonacci(n - 1) + fibonacci(n - 2);
}

int main() {
    int n = 5;
    std::cout << "Fibonacci of " << n << " is " << fibonacci(n) << std::endl;
    return 0;
}

8. O(n!) – Factorial Time

Example: Generating all permutations of a string.

#include <iostream>
#include <string>
#include <algorithm>

void permute(std::string str, int l, int r) {
    if (l == r) {
        std::cout << str << std::endl;
    } else {
        for (int i = l; i <= r; ++i) {
            std::swap(str[l], str[i]);
            permute(str, l + 1, r);
            std::swap(str[l], str[i]); // backtrack
        }
    }
}

int main() {
    std::string str = "ABC";
    permute(str, 0, str.size() - 1);
    return 0;
}

Tips to optimize the Big-O

Optimizing the algorithm complexity often involves using different techniques to reduce the time or space complexity of an algorithm. Here are some common techniques to optimize algorithm complexity:

1. Choosing the Right Data Structures

Choosing the right data structures is crucial for optimizing the Big O complexity of your algorithms. Different data structures provide different efficiencies for various operations such as insertion, deletion, access, and search. Below, I’ll discuss several common data structures, their typical operations, and provide C++ examples for each.

1. 1 Arrays

Properties:

  • Fixed size
  • Contiguous memory allocation
  • Fast access by index (O(1))
  • Slow insertions and deletions (O(n))

Use Cases: When the number of elements is known in advance and fast access by index is required.

C++ Example:

#include <iostream>

int main() {
    int arr[] = {1, 2, 3, 4, 5};
    int index = 2;
    std::cout << "Element at index " << index << " is " << arr[index] << std::endl; // O(1) access
    return 0;
}

1.2. Linked Lists

Properties:

  • Dynamic size
  • Non-contiguous memory allocation
  • Fast insertions and deletions (O(1) if the position is known)
  • Slow access by index (O(n))

Use Cases: When the number of elements is unknown or variable, and frequent insertions/deletions are required.

C++ Example:

#include <iostream>

struct Node {
    int data;
    Node* next;
};

void append(Node*& head, int new_data) {
    Node* new_node = new Node();
    new_node->data = new_data;
    new_node->next = nullptr;
    if (!head) {
        head = new_node;
        return;
    }
    Node* last = head;
    while (last->next) {
        last = last->next;
    }
    last->next = new_node;
}

void printList(Node* node) {
    while (node) {
        std::cout << node->data << " ";
        node = node->next;
    }
    std::cout << std::endl;
}

int main() {
    Node* head = nullptr;
    append(head, 1);
    append(head, 2);
    append(head, 3);
    printList(head); // O(n) traversal
    return 0;
}

1.3. Hash Tables (unordered_map)

Properties:

  • Average O(1) time complexity for insertions, deletions, and access
  • Dynamic size
  • Non-contiguous memory allocation

Use Cases: When fast access, insertion, and deletion are required, and the order of elements is not important.

C++ Example:

#include <iostream>
#include <unordered_map>

int main() {
    std::unordered_map<std::string, int> umap;
    umap["one"] = 1;
    umap["two"] = 2;
    umap["three"] = 3;

    std::cout << "Value for key 'two': " << umap["two"] << std::endl; // O(1) access
    return 0;
}

1.4. Balanced Trees (e.g., std::map, std::set)

Properties:

  • O(log n) time complexity for insertions, deletions, and access
  • Elements are kept in sorted order

Use Cases: When sorted order of elements is required and relatively fast insertions, deletions, and access are needed.

C++ Example:

#include <iostream>
#include <map>

int main() {
    std::map<std::string, int> omap;
    omap["one"] = 1;
    omap["two"] = 2;
    omap["three"] = 3;

    std::cout << "Value for key 'two': " << omap["two"] << std::endl; // O(log n) access
    for (const auto& pair : omap) {
        std::cout << pair.first << ": " << pair.second << std::endl;
    }
    return 0;
}

1.5. Heaps (Priority Queue)

Properties:

  • O(log n) time complexity for insertions and deletions
  • O(1) time complexity for access to the maximum/minimum element

Use Cases: When a dynamically changing dataset is needed and you frequently need to access the largest or smallest element.

C++ Example:

#include <iostream>
#include <queue>
#include <vector>

int main() {
    std::priority_queue<int> pq;
    pq.push(10);
    pq.push(30);
    pq.push(20);

    std::cout << "Top element is " << pq.top() << std::endl; // O(1) access to the maximum element

    pq.pop(); // O(log n) deletion
    std::cout << "Top element after pop is " << pq.top() << std::endl;
    return 0;
}

1.6. Graphs

Properties:

  • Represented as adjacency lists or adjacency matrices
  • Adjacency list: O(V + E) for traversal
  • Adjacency matrix: O(V^2) for traversal

Use Cases: When representing relationships or connections between entities, such as social networks or transportation networks.

C++ Example (Adjacency List):

#include <iostream>
#include <vector>

void addEdge(std::vector<int> adj[], int u, int v) {
    adj[u].push_back(v);
    adj[v].push_back(u); // For undirected graph
}

void printGraph(const std::vector<int> adj[], int V) {
    for (int v = 0; v < V; ++v) {
        std::cout << "Adjacency list of vertex " << v << "\n head ";
        for (auto x : adj[v]) std::cout << "-> " << x;
        std::cout << std::endl;
    }
}

int main() {
    int V = 5;
    std::vector<int> adj[V];
    addEdge(adj, 0, 1);
    addEdge(adj, 0, 4);
    addEdge(adj, 1, 2);
    addEdge(adj, 1, 3);
    addEdge(adj, 1, 4);
    addEdge(adj, 2, 3);
    addEdge(adj, 3, 4);

    printGraph(adj, V);
    return 0;
}

2. Divide and Conquer

Breaks the problem into smaller subproblems, solves each subproblem recursively, and then combines the solutions, like:

  • Mergesort: Divides the array into two halves, sorts each half, and merges the sorted halves, achieving O(n log n) complexity.
  • Quicksort: Divides the array into subarrays based on a pivot and sorts the subarrays, with an average complexity of O(n log n).

3. Memoization

  • An optimization technique to store the results of expensive function calls and reuse them when the same inputs occur again.
  • Often used in conjunction with recursive algorithms to improve efficiency.
  • Example: Recursive Fibonacci with memoization reduces the complexity from O(2^n) to O(n).
#include <iostream>
#include <vector>

int fibonacci(int n, std::vector<int>& memo) {
    if (n <= 1) return n;
    if (memo[n] != -1) return memo[n];
    memo[n] = fibonacci(n - 1, memo) + fibonacci(n - 2, memo);
    return memo[n];
}

int main() {
    int n = 30;
    std::vector<int> memo(n + 1, -1);
    std::cout << "Fibonacci of " << n << " is " << fibonacci(n, memo) << std::endl;
    return 0;
}

4. Precomputation and Caching

  • Precompute results for possible inputs and store them for quick lookup during execution.
  • Prefix Sum Arrays Example: Allows for quick range sum queries in O(1) time after an O(n) preprocessing step.
#include <iostream>
#include <vector>

std::vector<int> computePrefixSum(const std::vector<int>& nums) {
    std::vector<int> prefixSum(nums.size());
    prefixSum[0] = nums[0];
    for (size_t i = 1; i < nums.size(); ++i) {
        prefixSum[i] = prefixSum[i - 1] + nums[i];
    }
    return prefixSum;
}

int rangeSum(const std::vector<int>& prefixSum, int left, int right) {
    if (left == 0) return prefixSum[right];
    return prefixSum[right] - prefixSum[left - 1];
}

int main() {
    std::vector<int> nums = {1, 2, 3, 4, 5};
    std::vector<int> prefixSum = computePrefixSum(nums);

    int left = 1, right = 3;
    std::cout << "Sum of range [" << left << ", " << right << "] is " << rangeSum(prefixSum, left, right) << std::endl;
    return 0;
}

5. Sorting and Searching Optimization

  • Optimize the choice of sorting algorithms based on input characteristics (e.g., using Timsort for real-world data).
  • Use efficient search algorithms like binary search (O(log n)) for sorted data.
#include <iostream>
#include <vector>
#include <algorithm>

int binarySearch(const std::vector<int>& arr, int target) {
    int left = 0, right = arr.size() - 1;
    while (left <= right) {
        int mid = left + (right - left) / 2;
        if (arr[mid] == target) return mid;
        if (arr[mid] < target) left = mid + 1;
        else right = mid - 1;
    }
    return -1;
}

int main() {
    std::vector<int> arr = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
    int target = 7;
    std::cout << "Index of " << target << " is " << binarySearch(arr, target) << std::endl;
    return 0;
}

6. Space-Time Trade-offs

Space-time trade-offs involve balancing memory usage against execution speed. In some cases, you can reduce the time complexity of an algorithm by using more memory, or vice versa. Here’s a C++ example demonstrating this concept using the Fibonacci sequence.

6.1. Naive Recursive Approach (Time Optimized, Space Inefficient)

The naive recursive approach to calculate Fibonacci numbers has an exponential time complexity of O(2^n) and uses a lot of stack space due to repeated calculations of the same values.

Code:

#include <iostream>

int fibonacci(int n) {
    if (n <= 1) return n;
    return fibonacci(n - 1) + fibonacci(n - 2);
}

int main() {
    int n = 30; // Be careful with large values of n as it will take significant time
    std::cout << "Fibonacci of " << n << " is " << fibonacci(n) << std::endl;
    return 0;
}

6.2. Dynamic Programming with Memoization (Time Optimized, Space Optimized)

Memoization stores previously calculated results, reducing the time complexity to O(n) at the expense of additional memory.

Code:

#include <iostream>
#include <vector>

int fibonacci(int n, std::vector<int>& memo) {
    if (n <= 1) return n;
    if (memo[n] != -1) return memo[n];
    memo[n] = fibonacci(n - 1, memo) + fibonacci(n - 2, memo);
    return memo[n];
}

int main() {
    int n = 30;
    std::vector<int> memo(n + 1, -1);
    std::cout << "Fibonacci of " << n << " is " << fibonacci(n, memo) << std::endl;
    return 0;
}

6.3. Iterative Approach (Time Efficient, Space Efficient)

The iterative approach calculates Fibonacci numbers with O(n) time complexity and O(1) space complexity.

Code:

#include <iostream>

int fibonacci(int n) {
    if (n <= 1) return n;
    int prev2 = 0, prev1 = 1, current;
    for (int i = 2; i <= n; ++i) {
        current = prev1 + prev2;
        prev2 = prev1;
        prev1 = current;
    }
    return current;
}

int main() {
    int n = 30;
    std::cout << "Fibonacci of " << n << " is " << fibonacci(n) << std::endl;
    return 0;
}

Explanation of Space-Time Trade-offs

1.Naive Recursive Approach:

    • Time Complexity: O(2^n) because it recalculates Fibonacci numbers multiple times.
    • Space Complexity: O(n) due to the call stack used in recursion.

    2.Dynamic Programming with Memoization:

      • Time Complexity: O(n) as it calculates each Fibonacci number only once.
      • Space Complexity: O(n) for storing the results of previous calculations in a memo array.

      3.Iterative Approach:

        • Time Complexity: O(n) for calculating the Fibonacci sequence.
        • Space Complexity: O(1) as it only uses a few variables to store intermediate results.

        7. Parallelism and Concurrency

        • Split the work across multiple processors or threads to reduce the running time.
        • Examples:
        • MapReduce: A framework for processing large data sets with a distributed algorithm on a cluster.
        • Parallel Sorting Algorithms: Such as parallel mergesort.

        By employing these techniques, you can often significantly improve the efficiency of your algorithms, making your applications faster and more scalable.

        Conclusion

        Big-O notation is a fundamental concept for understanding and analyzing the efficiency of algorithms in C++. By providing a high-level understanding of the algorithm’s growth rate, it allows developers to predict performance, ensure scalability, and optimize their code effectively. When designing and implementing algorithms, always consider their Big-O complexity to make informed decisions about their suitability and efficiency for the given problem.