forked from examplehub/Python
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathbinary_search.py
39 lines (33 loc) · 1.1 KB
/
binary_search.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
"""
https://en.wikipedia.org/wiki/Binary_search_algorithm
"""
def binary_search_recursion(array, key, left: int = 0, right: int = None) -> int:
"""
Binary search algorithm using recursion.
:param array: the sorted array to be searched.
:param key: the key value to be searched.
:param left: the left index of sub array.
:param right: the right index of sub array.
:return: index of key value if found, otherwise -1.
>>> array = list(range(10))
>>> for index, item in enumerate(array):
... assert index == binary_search_recursion(array, item)
>>> binary_search_recursion(array, 10) == -1
True
>>> binary_search_recursion(array, -1) == -1
True
"""
if right is None:
right = len(array) - 1
if left > right:
return -1
mid = (left + right) >> 1
if key == array[mid]:
return mid
elif key > array[mid]:
return binary_search_recursion(array, key, mid + 1, right)
else:
return binary_search_recursion(array, key, left, mid - 1)
if __name__ == "__main__":
from doctest import testmod
testmod()