Created
June 3, 2022 18:36
-
-
Save wiseaidev/78d2009acf6a6f977a921d3b8bd8d771 to your computer and use it in GitHub Desktop.
Recursive and iterative versions of the binary search algorithm.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
from typing import Union, TypeVar | |
E = TypeVar("E", bound=Union[int, float]) | |
def recursive_binary_search(array: list[E], left: E, right: E, target: E) -> int: | |
if array != sorted(array): | |
array.sort() | |
if left is None: | |
left = 0 | |
if right is None: | |
right = len(array) - 1 | |
if left > right: # type: ignore | |
return -1 | |
mid_point: int = left + abs(left - right) // 2 # type: ignore | |
if target == array[mid_point]: | |
return mid_point | |
if target < array[mid_point]: # type: ignore | |
return recursive_binary_search(array, left, mid_point - 1, target) | |
return recursive_binary_search(array, mid_point + 1, right, target) | |
def iterative_binary_search(array: list[E], target: E) -> int: | |
array.sort() | |
left: int = 0 | |
right: int = len(array) - 1 | |
while left <= right: | |
mid_point: int = left + abs(left - right) // 2 | |
if target == array[mid_point]: | |
return mid_point | |
if target < array[mid_point]: # type: ignore | |
right = mid_point - 1 | |
else: | |
left = mid_point + 1 | |
return -1 | |
assert iterative_binary_search( | |
array=[26, 3, 1, 8.0, 5, 34, 1, 12.5], target=1 | |
) == recursive_binary_search( | |
array=[26, 3, 1, 8.0, 5, 34, 1, 12.5], left=0, right=None, target=1 | |
) # type: ignore |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment