Searching
- Searching
- Binary Search
- Interpolation Search
- Linear Search
- Lower Bound for Comparison-Based Searching
- Breadth-First Search (BFS)
- Depth-First Search (DFS)
Searching
Binary Search
Runtime
Pseudocode
import math
def binary_search(a, b):
left = 1
right = len(a)
while left <= right:
middle = math.floor((left + right) / 2)
if a[middle] == b:
return middle
else if a[middle] > b:
right = middle - 1
else:
left = middle + 1
return "not present"
Further Resources
Binary search algorithm - Wikipedia
Interpolation Search
Runtime
Best-Case:
Worst-Case:
Pseudocode
def interpolation_search(a, b):
left = 1
right = len(a)
while left <= right:
middle = (b - a[left]) / (a[right] - a[left])
if a[middle] == b:
return middle
else if a[middle] > b:
right = middle - 1
else:
left = middle + 1
return "not present"
Further Resources
Interpolation search - Wikipedia
Linear Search
Runtime
Pseudocode
def linear_search(a, b):
for el in a:
if el == b:
return b
return "not present"
Further Resources
Lower Bound for Comparison-Based Searching
Is it possible to sort in under comparisons?
Every comparison-based searching algorithm corresponds to some binary decision tree. Then the elements of the searched array correspond to the nodes of that tree. Therefore there are nodes in the tree. The worst-case runtime corresponds to the height of the tree, denoted by .
A tree that has height must have no more than nodes, thus
Breadth-First Search (BFS)
Runtime
Pseudocode
def bfs(s, graph):
q = Queue(s)
dist = [None] * len(graph.nodes)
enter = [None] * len(graph.nodes)
leave = [None] * len(graph.nodes)
dist[s] = 0
enter[s] = 0
t = 1
while !q.isEmpty():
u = q.dequeue()
leave[u] = t
t = t + 1
for v in u.children:
if !enter[v]:
q.enqueue(v)
dist[v] = dist[u] + 1
enter[v] = t
t = t + 1
return dist
Further Resources
Breadth-first search - Wikipedia
Depth-First Search (DFS)
Runtime
Pseudocode
def dfs(s, graph):
q = Stack(s)
dist = [None] * len(graph.nodes)
enter = [None] * len(graph.nodes)
leave = [None] * len(graph.nodes)
dist[s] = 0
enter[s] = 0
t = 1
while !q.isEmpty():
u = q.pop()
leave[u] = t
t = t + 1
for v in u.children:
if !enter[v]:
q.push(v)
dist[v] = dist[u] + 1
enter[v] = t
t = t + 1
return dist