You are on page 1of 46

Class 09

Sorting and Searching

Design of algorithms using Python


ANA ALMEIDA MATOS - MINOR INFORMATICS 2023/24 1
Program
• Week 01 - Introduction
• Week 02 - Python essentials (conclusion) + Analysis
• Week 03 - Analysis + Basic Data Structures
• Week 04 - Basic Data Structures (conclusion)
• Week 05 - Recursion + Sorting and Searching
• Class 08 - Recursion
• Class 09 - Sorting and Searching
• Week 06 - Trees and Tree Algorithms
• Week 07 - Graphs and Graph Algorithms

DESIGN OF ALGORITHMS USING PYTHON 2023/24 2


Objectives - class 09
• To be able to explain and implement sequential search and
binary search.
• To be able to explain and implement selection sort, bubble
sort, merge sort, quick sort, insertion sort, and Shell
sort.
• To understand the idea of hashing as a search technique.
• To introduce the map abstract data type.
• To implement the map abstract data type using hashing.

DESIGN OF ALGORITHMS USING PYTHON 2023/24 3


Sorting and searching

Class 09
• Searching

• Sequential search

• Binary search

• Hashing

• Sorting

4
Searching
• The problem of searching is one of the most common problems that arise in
computing.
• Searching is the algorithmic process of finding a particular item in a collection
of items, returning True/False, and possibly where it is found.
• Membership in Python: the in operator.
>>> 15 in [3, 5, 2, 1]
False
>>> 3 in {3:"a", 5:[], 2:"4", 1:33}
True
• Easy to write, but what is the underlying process that is carried out?
• We are interested in how different algorithms for searching for an item work
and how they compare to one another.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Sequential Search
• Searching for data items that are stored in a sequential collection
such as a list can be done by visiting them in sequence.
• Example: by order of indexes of a Python list
• We simply move from item to item, following the underlying
sequential ordering until we either find what we are looking for or
run out of items. def sequential_search(a_list, item):

pos = 0
while pos < len(a_list):
if a_list[pos] == item:
return True
else:
pos = pos + 1

DESIGN OF ALGORITHMS USING PYTHON 2023/24 return False


Sequential Search in ordered collections
• If the items were ordered in some way, would we be able to gain any
efficiency in our search technique?
• If the item is not present there is a slight advantage: it is enough to
search until the position where the item would be placed, if present.
def ordered_sequential_search(a_list, item):
pos = 0
while pos < len(a_list):
if a_list[pos] == item:
return True
else:
if a_list[pos] > item:
return False
else:
pos = pos + 1

return False
DESIGN OF ALGORITHMS USING PYTHON 2023/24
Analysis of Sequential Search
• To analyze searching algorithms, we need to decide on a basic unit of computation
- the common step that must be repeated in order to solve the problem.
• For searching: number of comparisons performed.
• Assuming that the probability that the item we are looking for is in any particular
position is exactly the same for each position of the list.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Binary search
• Assuming the list is ordered:
• In the sequential search, when we compare against the first item,
there are at most n-1 more items to look through.
• A binary search will start by examining the middle item, and if
necessary proceed the search on the lower or upper half that could
contain the item, according to the ordering.
def binary_search(a_list, item):
first = 0
last = len(a_list) - 1
while first <= last:
midpoint = (first + last) // 2
if a_list[midpoint] == item:
return True
elif item < a_list[midpoint]:
last = midpoint - 1
else:
DESIGN OF ALGORITHMS USING PYTHON 2023/24 first = midpoint + 1
return False
Binary search as divide-and-conquer
• This is an example of a divide-and-conquer strategy:
• divide the problem into smaller pieces
• solve the smaller pieces
• reassemble the whole problem to get the result.
• Notice the recursive nature: we solve the smaller pieces using binary search.
def binary_search_rec(a_list, item):
if len(a_list) == 0:
return False
would be more efficient
else: to use first and last as in
midpoint = len(a_list) // 2 the previous example
if a_list[midpoint] == item:
return True
elif item < a_list[midpoint]:
return binary_search_rec(a_list[:midpoint], item)
else:
return binary_search_rec(a_list[midpoint + 1 :], item)
DESIGN OF ALGORITHMS USING PYTHON 2023/24
Analysis of Binary Search
this way we are not
counting the cost of
other operations
(such as slicing)

• The maximum number of comparisons necessary to


split a list of size n until we reach a list of size 1 or 0 is i
such that n/2i = 1, i.e. 2i = n. So, the binary search is
O(log n).
• Necessary to ponder whether sorting the list is worth it.
DESIGN OF ALGORITHMS USING PYTHON 2023/24
Sorting and searching

Class 09
• Searching

• Sequential search

• Binary search

• Hashing

• Sorting

12
Hashing
• A hash table is a collection of items which are stored in slots, in such
a way as to make it easy to find them later. Initially they are all empty.

• The idea is to use a function - a hash function - that given an item,


tells us in which slot a given item should be placed (unless…).
• Each slot can hold an item (or more), and is indexed by an integer
value starting at 0 to the size of the table non-inclusive (table_size-1).
• Using hashing, a data structure can be searched in O(1) time.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Hash table functionality
• Hash tables are designed to facilitate;
• adding an element to the table
• searching for an element in the table
• removing an element from the table

require
knowing in
which slot to
find an item

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Hash Functions
• The mapping between an item and the slot where that item belongs in the
hash table is called the hash function.
• The hash function will take any item in the collection and return an
integer in the range of slot names (0 to table_size-1).
• This can be achieved by determining a value v associated to the item, and
then returning the remainder by M (v%table_size).
• for integer items, v can be the integer itself, or a function of it
• for string items, v can be the sum of the ordinal values of their
characters
•… def hash_str(a_string, table_size):
return sum([ord(c) for c in a_string]) % table_size

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Collisions
• Two or more items might be mapped by the hash function
into the same slot. This is referred to as a collision, or
“clash”.
• This is not possible to avoid for an arbitrary collection of
items and finite memory to hold the table.
• Luckily, we do not need the hash function to be perfect to
still gain performance efficiency: we can have a systematic
method for placing the second item in the hash table, i.e. for
collision resolution.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Collision resolution
• A method for collision resolution, i.e., for determining where an
item should be placed if the slot it is assigned to is occupied, will
indicate:
• where to place an item when adding it to the hash table and its
slot is occupied
• where to search for an item if its slot is occupied by a different
item
• when removing an item, how to reposition items so as to
maintain the coherence of the strategy for searching for items.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Open addressing
• Open addressing is a simple way to do collision resolution by starting
at the original hash value position and then systematically moving
through the slots until we encounter the first open slot.
• We may need to go back to the first slot (circularly) to cover the
entire hash table.
• by linear probing, the search is done sequentially, visiting each slot
one at a time,
• or by jumping a fixed number of positions given by a rehash
function.
•…

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Chaining
• Alternative: to allow each slot to hold a reference to a collection (or
chain) of items, allowing many items to exist at the same slot in the
hash table.
• When collisions happen, the item is still placed in the chain
attached to its slot.
• As more and more items
hash to the same location,
the difficulty of searching
for the item in the collection
increases.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Map ADT Hash tables can be
used to implement
the Map ADT
• One of the most useful Python collections is the dictionary.
• An associative data type where you can store key–data pairs, where the key is used to look
up the associated data value is often referred to as a map.
• Basic operations of the Map ADT:
• Map() - Create a new, empty map. It returns an empty map collection.
• put(key, val) - Add a new key-value pair to the map. If the key is already in the map then
replace the old value with the new value.
• get(key) - Given a key, return the value stored in the map or None otherwise.
• del - Delete the key-value pair from the map using a statement of the form del map[key].
• len() - Return the number of key-value pairs stored in the map.
• in - Return True for a statement of the form key in map, if the given key is in the map, False
otherwise.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Analysis of hashing
• We stated earlier that in the best case hashing would provide a O(1), constant time
search technique.
• However, due to collisions, the number of comparisons is typically not so simple.
• In order to analyze the use of a hash table we need its load factor:
• if the load factor is small, then there is a lower chance of collisions, meaning that
items are more likely to be in the slots where they belong.
• if it is large, meaning that the table is filling up, then there are more and more
collisions. This means that collision resolution requires more comparisons to find
an empty slot. With chaining, increased collisions means an increased number of
items on each chain.
• As the load factor changes, operations can be made to adjust the size of the table to
optimize efficiency.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


5 min break
22
Sorting and searching

Class 09
• Searching

• Sorting

• Bubble Sort

• Selection Sort

• Insertion Sort

• Merge Sort

• Quick Sort

23
Sorting
• Sorting is the process of placing elements from a collection in some kind of
order.
• Sorting is an important area of study in computer science, and there are many
sorting algorithms that have been developed and analyzed.
• Sorting a large number of items can take a substantial amount of computing
resources, which depends on the number of items being processed. Complex
algorithms can have a significant overhead that should be considered.
• Operations that can be used to analyze a sorting process and whose count can
be used to measure overall efficiency of the algorithm:
• comparing two items to see which is smaller (the most common way)
• exchanging two items into a different position (costly operation)

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Bubble Sort
• Bubble sort makes multiple passes through a list. It compares adjacent
items and exchanges those that are out of order.
• Each pass through the list places the next largest value in its proper
place. In essence, each item “bubbles” up to the location where it
belongs.
• If there are n items in the list, then there are n-1 pairs of items that
need to be compared on the first pass.
• After i passes, at least i items are in the correct place.
• This process continues and requires at most n-1 passes to sort n
items.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Bubble Sort
• Comparing all consecutive
pairs of items within the
unsorted part, moving
higher elements towards
the right.
• Unsorted part decreases in
size by (at least one).

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Bubble Sort - implementation and analysis
one pass through
the unsorted part,
def bubble_sort(a_list): exchanging pairs of
for i in range(len(a_list) - 1, 0, -1):
for j in range(i):
items that are
if a_list[j] > a_list[j + 1]: misplaced
temp = a_list[j]
a_list[j] = a_list[j + 1]
a_list[j + 1] = temp

• The total number of comparisons is the sum of the first n-1 integers. Recall
that this is given by (n-1)*n/2. This is O(n^2) comparisons.
• In the best case, if the list is already ordered, no exchanges will be made.
However, in the worst case, every comparison will cause an exchange. On
average, we exchange half of the time.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Selection Sort
• Selection sort improves on bubble sort by making only one exchange
for every pass through the list.
• A selection sort looks for the largest value as it makes a pass and,
after completing the pass, places it in the proper location (at the
higher end).
• OR looks for the lowest value as it makes a pass and, after
completing the pass, places it in the proper location (at the lower
end).
• After i passes, i items are in the correct place.
• This process continues and requires n-1 passes to sort n items.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Selection Sort
• Selecting the next highest
element within the
unsorted part, and placing
it at its rightmost end.
• Unsorted part decreases in
size by one.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Selection Sort - implementation and
analysis
def selection_sort(a_list):
for i, item in enumerate(a_list): searches for lowest
min_idx = i item among
for j in range(i+1, len(a_list)):
switches if a_list[j] < a_list[min_idx]: unsorted indexes
to the min_idx = j
if min_idx != i:
leftmost a_list[min_idx], a_list[i] = a_list[i], a_list[min_idx]
end

• The number of comparisons for a selection sort is the sum of the first
n-1 integers. It is O(n^2), like bubble sort.
• However, selection sort performs fewer exchanges, and typically
executes faster in benchmark studies.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Insertion Sort
• Insertion sort maintains a sorted sublist in the lower positions of
the list. (OR … higher…)
• Each new item is then inserted back into the previous sublist such
that the sorted sublist is one item larger.
• After i passes, i+1 items are in the correct place.
• This process continues and requires n-1 passes to sort n items.
• A shift operation moves a value up one position in the list, making
room behind it for the insertion. (Note that this is not a complete
exchange, only 1/3 of the cost).

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Insertion Sort
• Taking the the next leftmost
element within the unsorted part,
and inserting it into the sorted
part.
• Insertion is done by right-shifting
the sorted elements that should
be to its right side

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Insertion Sort - implementation and
analysis
def insertion_sort(a_list):
for i in range(1, len(a_list)):
cur_val = a_list[i]
cur_pos = i

while cur_pos > 0 and \


a_list[cur_pos - 1] > cur_val:
a_list[cur_pos] = a_list[cur_pos - 1]
cur_pos = cur_pos - 1
a_list[cur_pos] = cur_val

• The maximum number of comparisons is also the sum of the first


n-1 integers. Again, this is still O(n^2).
• However, in the best case, only one comparison needs to be done
on each pass. This would be the case for an already sorted list.
DESIGN OF ALGORITHMS USING PYTHON 2023/24
Merge Sort
• Merge sort uses a divide and conquer strategy.
• It is a recursive algorithm that continually splits a list in half:
• If the list is empty or has one item, it is sorted by definition (the base
case).
• If the list has more than one item, we split the list at the middle and
recursively invoke a merge sort on both halves.
• Once the two halves are sorted, the fundamental operation, called a
merge, is performed.
• Merging is the process of taking two smaller sorted lists and combining
them together into a single, sorted, new list.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Merge Sort
• Recursively splits through
the middle

• As recursive calls return,


merges so as to preserve
the sorting of each half

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Merge Sort - implementation
chooses between the …
i, j, k = 0, 0, 0
lowest remaining while i < len(left_half) and
element in both halves j < len(right_half):
if left_half[i] <= right_half[j]:
a_list[k] = left_half[i]
finishes copying the i = i + 1
remaining elements if else:
a_list[k] = right_half[j]
any left on one half j = j + 1
k = k + 1
def merge_sort(a_list):
print("Splitting", a_list) while i < len(left_half):
if len(a_list) > 1: a_list[k] = left_half[i]
mid = len(a_list) // 2 i = i + 1
left_half = a_list[:mid] k = k + 1
right_half = a_list[mid:]
while j < len(right_half):
merge_sort(left_half) a_list[k] = right_half[j]
merge_sort(right_half) j = j + 1
… k = k + 1
DESIGN OF ALGORITHMS USING PYTHON 2023/24
Merge Sort - analysis
• Two distinct processes make up its implementation:
• First, the list is split into halves. As in a binary search, we can
divide a list in half log n times where n is the length of the list.
• Second, the merge. Each item in the list will eventually be
processed and placed on the sorted list. So the merge
operation which results in a list of size n requires n
operations.
• The result is log n splits, each of which costs n, for a total of
n log n operations. A merge sort is an O(n log n) algorithm.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Quick Sort
• Quick sort also uses divide and conquer, while not using additional storage.
However, certain initial configurations of items may lead to diminished
performance.
• It is also a recursive algorithm that continually splits a list in half:
• If the list is empty or has one item, it is sorted by definition (the base case).
• If the list has more than one item, we split the list using partition, and
recursively invoke a quick sort on both halves.
• Once the two halves are sorted, the combination of the two is already sorted
as well.
• The partition procedure choses an item to serve as the pivot value, whose
position is used to divide the list for subsequent calls to the quick sort.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Quick Sort

• Recursively partitions the


list into two parts
according to the pivot
item: to the lower the items
that are lower or equal, and
to the higher side those that
are greater or equal.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Quick Sort
• As recursive calls return,
both halves are sorted,
and in the correct
relative position - i.e., the
entire list is sorted.
def quick_sort(a_list):
quick_sort_helper(a_list, 0, len(a_list) - 1)

def quick_sort_helper(a_list, first, last):


if first < last:
split = partition(a_list, first, last)
quick_sort_helper(a_list, first, split - 1)
quick_sort_helper(a_list, split + 1, last)

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Partition - implementation
left-mark and right-mark move
def partition(a_list, first, last): towards each other as long as they
pivot_val = a_list[first]
left_mark = first + 1 find item on the correct side
right_mark = last
done = False

while not done:


while left_mark <= right_mark and a_list[left_mark] <= pivot_val:
left_mark = left_mark + 1
while left_mark <= right_mark and a_list[right_mark] >= pivot_val:
right_mark = right_mark - 1
if right_mark < left_mark:
done = True
else:
a_list[left_mark], a_list[right_mark] = (
a_list[right_mark], a_list[left_mark])
a_list[first], a_list[right_mark] = a_list[right_mark], a_list[first]

return right_mark
when the marks have stopped, both
items are in the wrong side;
DESIGN OF ALGORITHMS USING PYTHON 2023/24
so they are switched
Quick Sort - analysis
• There is no need for additional memory as in the merge sort process.
• If the partition always occurs in the middle of the list:
• there will again be log n divisions
• in order to find the split point, each of the n items is checked against the
pivot.
• The result is n log n.
• In the worst case, the split points may not be in the middle and can be very
skewed:
• sorting a list of n items divides into sorting a list of 0 and a list of n-1 items…
• The result is an O(n2) sort with all of the overhead that recursion requires.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Sorting in Python
• Python provides built in functions for sorting:
• sort() function modifies the list it is called on in place, and has no return value.
• sorted() function returns a new list containing a sorted version of the list. It
does not modify the list passed as a parameter.
• The algorithm that is used internally is known as Timsort - it is a hybrid sorting
algorithm, derived from merge sort and insertion sort. It was invented by Tim
Peters in 2002 for use in the Python programming language. More: https://
en.wikipedia.org/wiki/Timsort
• In the worst case, Timsort takes O(n log n) comparisons to sort an array of n
elements. In the best case, which occurs when the input is already sorted, it runs
in linear time.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Summary
• A sequential search is O(n) for ordered and unordered lists.
• A binary search of an ordered list is O(log n) in the worst case.
• Hash tables can provide constant time searching.
• A bubble sort, a selection sort, and an insertion sort are O(n^2)
algorithms.
• A merge sort is O(n log n), but requires additional space for the merging
process.
• A quick sort is O(n log n) in average case, but may degrade to O(n^2) if
the split points are not near the middle of the list. It does not require
additional space.

DESIGN OF ALGORITHMS USING PYTHON 2023/24


Homework
• Work on the project - Work on the project - implement the command
report_alerts. Make sure to consider the efficiency of your choices
for the implementation of the DataHandler ADT.
• Reading and exercises:
• Problem Solving with Algorithms and Data Structures using Python
- Chapter 5
• Recommended exercises @ course's webpage Section "Practical
Classes", Fenix
• More detailed explanations?
• Videos: Search/Sort 1-11 @ https://gjenkinsedu.com/pyds/videos/

DESIGN OF ALGORITHMS USING PYTHON 2023/24 45

You might also like