top

Search

Python Tutorial

.

UpGrad

Python Tutorial

Binary Search in Python

Introduction

In today's data-driven world, searching algorithms are the anchor of many technologies. Efficient searching is not just an academic exercise but a practical necessity. This tutorial delves into binary search in Python, an algorithm that enhances performance and saves time in the real-world.

Overview

In this tutorial, you'll learn the intricacies of implementing and understanding binary search in Python. We'll compare it with linear search, explore its algorithmic structure, and examine its time and space complexity.

What is Binary Search in Python?

Binary search is an efficient algorithm for locating an item from a sorted list of items. In Python, this method is considerably faster than its counterpart, linear search, particularly for long lists. With each step, the algorithm eliminates half of the remaining items, resulting in a time complexity of O(log n).

In Python, binary search can be implemented using the standard library method bisect_left from the bisect module. You could also write a custom function to perform this search. This algorithm assumes that the list you're searching through is sorted, a pre-condition that must be met for the algorithm to work as expected.

Linear Search vs. Binary Search

While linear search scans each element one by one, binary search takes advantage of the sorted list and progressively narrows down the search range by half, leading to significant performance gains.

Why Use Binary Search in Python?

Binary search is widely used in Python for tasks such as data analysis, database searching, and any other use cases involving sorted lists or arrays. It reduces computational costs and is a foundational concept that every Python developer should understand.

Concept of Binary Search

Grasping the underpinnings of the binary search algorithm in Python is essential for developers. It's not just an academic exercise but a skill you'll frequently use, especially in data manipulation tasks where search operations are inevitable. The reason for its significance is the algorithm's efficiency, both in terms of time and space. Let's delve deeper into its conceptual framework to understand what makes it tick.

The Algorithm

Understanding binary search starts with its algorithmic design. Unlike linear search, which scans one item at a time, binary search quickly narrows down the area where the element can be found. Here's how it works:

  • List Must be Sorted: The very first requirement is that the list of items must be sorted. If the list isn't sorted, you'll need to sort it first, which would add to the time complexity.

  • Calculate the Middle Element: Identify the middle element of the array. This will be the starting point of the comparison.

  • Compare the Middle Element: If the middle element matches your target, your search is complete.

  • Narrow the Search: If the target value is less than or greater than the middle element, you will continue the search on either the left or right subarray, respectively.

Time and Space Complexity

  • Time Complexity: Binary search has a time complexity of O(log n). This is incredibly efficient when you're dealing with large datasets.

  • Space Complexity: The algorithm operates in place, meaning it doesn't require additional memory allocation. Thus, it has a space complexity of O(1).

Implementing a Binary Search in Python

Code:

def binary_search(arr, target):
    low = 0
    high = len(arr) - 1
    
    while low <= high:
        mid = (low + high) // 2
        if arr[mid] == target:
            return mid
        elif arr[mid] < target:
            low = mid + 1
        else:
            high = mid - 1
            
    return -1

# Example usage
my_list = [1, 3, 5, 7, 9, 11, 13, 15]
target_value = 7
result = binary_search(my_list, target_value)
if result != -1:
    print(f"Element {target_value} found at index {result}")
else:
    print(f"Element {target_value} not found in the list")

Explanation:

1. The `binary_search` function takes two arguments: `arr` (the sorted array) and `target` (the value to search for).

2. It initializes two pointers, `low` and `high`, which represent the indices that define the current search range within the array. `low` is initially set to 0, and `high` is set to the last index of the array (`len(arr) - 1`).

3. Inside the `while` loop, the algorithm checks whether the `low` index is less than or equal to the `high` index. If this condition is true, it means there is still a valid search range to explore.

4. The middle index `mid` of the current search range is calculated using the formula `(low + high) // 2`. This index is used to access the element at the middle of the current search range.

5. The algorithm compares the element at index `mid` with the target value. There are three possible cases:

  • If `arr[mid]` is equal to the `target`, it means the target value has been found, and the function returns the index `mid`.

  •  If `arr[mid]` is less than the `target`, it means the target value must be in the right half of the current search range. So, the `low` pointer is moved to `mid + 1`.

  • If `arr[mid]` is greater than the `target`, it means the target value must be in the left half of the current search range. So, the `high` pointer is moved to `mid - 1`.

6. Steps 4 and 5 are repeated in the `while` loop until either the target value is found or the `low` index becomes greater than the `high` index, indicating that the search range is exhausted.

7. If the `while` loop completes without finding the target value, the function returns -1, indicating that the target value is not present in the array.

In this binary search program, the function is called with the sorted list `[1, 3, 5, 7, 9, 11, 13, 15]` and the target value `7`. The function correctly identifies that the target value `7` is present at index `3` in the array, and it prints "Element 7 found at index 3".

Recursive Python Program for Binary Search

Code:

def binary_search_recursive(arr, target, low, high):
    if low <= high:
        mid = (low + high) // 2
        if arr[mid] == target:
            return mid
        elif arr[mid] < target:
            return binary_search_recursive(arr, target, mid + 1, high)
        else:
            return binary_search_recursive(arr, target, low, mid - 1)
    else:
        return -1
my_list = [1, 3, 5, 7, 9, 11, 13, 15]
target_value = 7
result = binary_search_recursive(my_list, target_value, 0, len(my_list) - 1)
if result != -1:
    print(f"Element {target_value} found at index {result}")
else:
    print(f"Element {target_value} not found in the list")

Explanation:

1.  The function `binary_search_recursive` takes four arguments: `arr` (the sorted array), `target` (the value to search for), `low` (the starting index of the current search range), and `high` (the ending index of the current search range).

2. The base case checks whether `low` is less than or equal to `high`. If this condition is true, it means there is still a valid search range to explore. If the condition is false, it means the search range is exhausted, and the function returns -1 to indicate that the target value was not found.

3. Inside the function, the middle index `mid` of the current search range is calculated using the formula `(low + high) // 2`.

4. The algorithm compares the element at index `mid` with the target value. There are three possible cases:

  • If `arr[mid]` is equal to the `target`, it means the target value has been found, and the function returns the index `mid`.

  • If `arr[mid]` is less than the `target`, it means the target value must be in the right half of the current search range. So, the function calls itself recursively with updated parameters: `mid + 1` as the new `low` and the same `high`.

  • If `arr[mid]` is greater than the `target`, it means the target value must be in the left half of the current search range. So, the function calls itself recursively with updated parameters: the same `low` and `mid - 1` as the new `high`.

5. The function continues to recursively divide the search range in half until the base case is met (when `low` is no longer less than or equal to `high`).

6. If the target value is not found within the search range, the function returns -1.

In this Python program for binary search, the function is called with the sorted list `[1, 3, 5, 7, 9, 11, 13, 15]` and the target value `7`. The function correctly identifies that the target value `7` is present at index `3` in the array, and it prints "Element 7 found at index 3".

Steps Involved in the Iterative Approach 

1. Initialize Pointers: Begin by initializing two pointers, `low` and `high`, which represent the range of indices in the sorted array where the target value could potentially exist. `low` is initialized to the first index (0), and `high` is initialized to the last index (`len(arr) - 1`).

2. While Loop: Enter a `while` loop that continues as long as `low` is less than or equal to `high`. This loop is responsible for narrowing down the search range.

3. Calculate Midpoint: Calculate the midpoint index `mid` of the current search range using the formula `(low + high) // 2`. This index points to the middle element of the current search range.

4. Compare Midpoint Element: Compare the element at index `mid` with the target value:

  •    If `arr[mid]` is equal to the target value, the search is successful, and `mid` is returned as the index where the target value was found.

  •    If `arr[mid]` is less than the target value, it means the target value must be in the right half of the current search range. Update `low` to `mid + 1` to narrow down the search to the right half.

  •    If `arr[mid]` is greater than the target value, it means the target value must be in the left half of the current search range. Update `high` to `mid - 1` to narrow down the search to the left half.

5. Repeat: Repeat steps 3 and 4 within the `while` loop until either the target value is found or the `low` index becomes greater than the `high` index, indicating that the search range is exhausted.

6. Return Result: If the target value is found, return the index `mid` where it was found. If the target value is not found after the `while` loop completes, return -1 to indicate that the target value is not present in the array.

Binary Search Complexity 

Time Complexity

The time complexity of the binary search algorithm is O(log n), where "n" is the number of elements in the sorted array.

This logarithmic time complexity is achieved because, at each step of the binary search, the size of the search range is cut in half. As a result, the number of iterations required to find the target value grows at a much slower rate compared to linear search algorithms.

In each iteration of the binary search, the search range is reduced to approximately half of the previous range. This halving effect leads to a balanced binary tree-like structure of the search process. As long as the elements are sorted, the algorithm can eliminate half of the remaining possibilities at each step, resulting in a very efficient search.

To summarize:

  • Best Case: O(1) - In the best case, the target value is found at the first comparison.

  • Average and Worst Case: O(log n) - In the average and worst cases, the algorithm divides the search range in half repeatedly until the target value is found or the search range becomes empty.

It's important to note that the binary search algorithm assumes that the input array is already sorted. Sorting the array initially can have a time complexity of O(n log n), but once sorted, binary search offers efficient searching for multiple queries.

Space Complexity 

The space complexity of the binary search algorithm is O(1), which means it uses a constant amount of additional memory regardless of the size of the input array.

Binary search is an iterative algorithm that doesn't require any data structures like arrays or lists to store intermediate results or recursive function calls (unlike some other algorithms). It only needs a few variables to keep track of the indices (`low`, `high`, and `mid`) and the target value being searched for. These variables use a constant amount of memory, regardless of the size of the input array.

In terms of memory usage, binary search is very efficient and doesn't depend on the size of the input data. This makes it suitable for searching in large arrays, where space efficiency is a concern.

Conclusion 

In summary, understanding the concept of binary search is a cornerstone skill for Python developers, especially those working with data-intensive applications. The algorithm stands out for its efficiency, making it ideal for search operations in large, sorted datasets. The steps involved—sorting the list, calculating the middle element, and then methodically narrowing the search range—are straightforward but impactful in real-world applications.

As you continue your journey in Python, consider upskilling through upGrad's specialized courses to master algorithms like binary search and much more, thereby becoming a more versatile and effective programmer.

FAQs

1. What is the difference between binary search and linear search in Python?

Binary search is more efficient than linear search but requires the list to be sorted.

2. How do I implement binary search pseudocode in Python?

You'll start by identifying the middle element and then narrowing your search range based on comparisons.

3. Can you provide a binary search example step by step?

Absolutely, a step-by-step example would involve taking a sorted list, identifying the middle element, and then recursively or iteratively narrowing down the search range until the target value is found.

4. Is the binary search algorithm in Python different from other languages?

The core algorithm remains the same across languages, but Python offers library methods like bisect_left.

5. Where can I find Python code for binary search?

You can find various implementations on GitHub, Python's official documentation, or educational platforms like upGrad.

Leave a Reply

Your email address will not be published. Required fields are marked *