top of page

A Beginner's Guide to Big O Notation: Measuring Code Efficiency


Time complexity represented artistically

This week, we have the feeling that to start with this explanation you might have some common questions in mind, so here is the FAQ


FAQs

1. What is the best time complexity? The best time complexity is O(1), where the algorithm runs in constant time regardless of input size. However, not all problems can be solved in constant time.


2. Is space complexity as important as time complexity? Yes, in memory-constrained environments, space complexity is just as crucial. An efficient algorithm should balance both time and space complexity.


3. How can I improve the time complexity of my algorithm? You can improve time complexity by choosing more efficient algorithms (e.g., using binary search instead of linear search) and avoiding unnecessary nested loops or recursive calls.



 

Now, let's dive in, we will use Python for this tutorial:


When writing code, performance is often a key factor in ensuring smooth, efficient, and scalable applications. One of the most important concepts for evaluating the performance of algorithms and code is Big O Notation. It allows programmers to analyze how an algorithm's runtime or space requirements grow as the input size increases.

In this tutorial, we’ll break down Big O Notation, explain common time complexities, and guide you through some examples to help you understand how to measure your code's performance.


What is Big O Notation?

Big O Notation is a mathematical concept used in computer science to describe the efficiency of an algorithm. It focuses on the worst-case scenario, providing a high-level understanding of the algorithm's performance as the input size (denoted as n) grows.

By measuring time complexity, you can:

  • Predict scalability: How will your algorithm perform with large data?

  • Compare different algorithms: Decide which solution is more efficient.

  • Optimize your code: Avoid unnecessary performance bottlenecks.


Key Characteristics of Big O Notation:

  1. Asymptotic Analysis: Big O focuses on how the algorithm performs as the input size approaches infinity.

  2. Abstracted Constants: Constants and non-dominant terms (like lower-order terms) are ignored.

  3. Input Size (n): The performance is analyzed relative to the size of the input.


Common Big O Time Complexities

1. O(1) - Constant Time

An algorithm with O(1) complexity will always execute in the same amount of time, regardless of the input size. This is the most efficient performance since the execution time remains constant.

Example: Accessing an element in an array by index.


# Constant time example
arr = [1, 2, 3, 4]
print(arr[0])  # O(1)

2. O(log n) - Logarithmic Time

In O(log n) time complexity, the execution time grows logarithmically with the input size. This typically occurs when you repeatedly divide the input in half, such as in binary search.

Example: Binary search on a sorted array.


def binary_search(arr, target):
    left, right = 0, len(arr) - 1
    while left <= right:
        mid = (left + right) // 2
        if arr[mid] == target:
            return mid
        elif arr[mid] < target:
            left = mid + 1
        else:
            right = mid - 1
    return -1  # O(log n)


3. O(n) - Linear Time

In O(n) complexity, the runtime increases linearly with the size of the input. If the input doubles, the runtime also doubles.

Example: Iterating through an array.


# Linear time example
arr = [1, 2, 3, 4, 5]
for num in arr:
    print(num)  # O(n)

4. O(n log n) - Linearithmic Time

Algorithms that divide the input into smaller subproblems, solve them, and combine the results often have O(n log n) complexity. This is common in efficient sorting algorithms like Merge Sort and Quick Sort.

Example: Merge Sort.


def merge_sort(arr):
    if len(arr) <= 1:
        return arr
    mid = len(arr) // 2
    left = merge_sort(arr[:mid])
    right = merge_sort(arr[mid:])
    return merge(left, right)

def merge(left, right):
    result = []
    while left and right:
        if left[0] < right[0]:
            result.append(left.pop(0))
        else:
            result.append(right.pop(0))
    result += left or right
    return result  # O(n log n)

5. O(n²) - Quadratic Time

In O(n²) complexity, the runtime grows quadratically with the input size. This usually occurs in algorithms with nested loops, like selection sort or bubble sort.

Example: Bubble Sort.


def bubble_sort(arr):
    n = len(arr)
    for i in range(n):
        for j in range(0, n-i-1):
            if arr[j] > arr[j+1]:
                arr[j], arr[j+1] = arr[j+1], arr[j]  # O(n²)

6. O(2ⁿ) - Exponential Time

Exponential time complexity occurs when the growth rate doubles with each addition to the input size. Recursive algorithms that solve subproblems in terms of smaller instances of themselves often exhibit O(2ⁿ) complexity.

Example: Fibonacci sequence using recursion.


def fibonacci(n):
    if n <= 1:
        return n
    else:
        return fibonacci(n-1) + fibonacci(n-2)  # O(2ⁿ)

 

Space Complexity and Big O

In addition to time complexity, it’s essential to consider space complexity, which refers to the amount of memory an algorithm uses. Similar to time complexity, space complexity is expressed using Big O notation.

Example: Iterating through an array takes O(1) space (constant space), while creating a new array for each recursive call in Merge Sort results in O(n) space complexity.



 


How to Determine Time Complexity

1. Look at Loops: Each loop that runs n times contributes O(n) to the time complexity. Nested loops multiply the time complexity.


2. Recursive Calls: Pay attention to recursive calls. If an algorithm divides the input in half with each recursion, it likely has O(log n) time complexity.

3. Drop Constants and Lower-Order Terms: In Big O Notation, we focus on the term that grows the fastest as n increases. For example, O(2n + 3) simplifies to O(n).


4. Use Real-Life Examples: Practice analyzing real algorithms like sorting, searching, and graph traversal to build intuition.



 

Conclusion

Understanding Big O Notation is a crucial skill for any programmer, helping you measure and improve the efficiency of your code. With this knowledge, you can make informed decisions about the algorithms you choose, ensuring that your programs run efficiently as they scale.

By mastering Big O Notation and time complexity, you'll be able to:

  • Analyze algorithms confidently.

  • Write more efficient, scalable code.

  • Optimize your programs for performance.

As you continue your coding journey, keep practicing with real-world examples and strive to write code that balances both functionality and efficiency.

bottom of page