Let's explore some fundamental algorithms. Suppose you're given an unsorted array of integers.
Describe how you would implement the following sorting algorithms:
For each algorithm, explain:
Provide example code snippets (in any language you prefer, but indicate which language you are using) demonstrating the core logic of each algorithm. Focus on clarity and conciseness in your code.
Discuss the advantages and disadvantages of each sorting algorithm. When would you choose one algorithm over another, and why? For example, consider a scenario where you have a nearly sorted array. Which algorithm would perform best, and why?
Imagine you're working with a very large dataset that doesn't fit into memory. Which sorting algorithm(s) could you adapt to handle this situation, and how would you do it? (Hint: Think about external sorting techniques).
To illustrate, consider an array [5, 1, 4, 2, 8]
. Show how each of the listed algorithms would sort this array step by step.
Let's explore some fundamental algorithms. Suppose you're given an unsorted array of integers.
Here, I'll describe how to implement Bubble Sort, Insertion Sort, Merge Sort, and Quick Sort.
def bubble_sort(arr):
n = len(arr)
for i in range(n):
for j in range(0, n-i-1):
if arr[j] > arr[j+1]:
arr[j], arr[j+1] = arr[j+1], arr[j]
return arr
Example:
Given [5, 1, 4, 2, 8]
[1, 5, 4, 2, 8]
[1, 4, 5, 2, 8]
[1, 4, 2, 5, 8]
[1, 4, 2, 5, 8]
And so on, until [1, 2, 4, 5, 8]
def insertion_sort(arr):
for i in range(1, len(arr)):
key = arr[i]
j = i-1
while j >= 0 and key < arr[j] :
arr[j + 1] = arr[j]
j -= 1
arr[j + 1] = key
return arr
Example:
Given [5, 1, 4, 2, 8]
[5, 1, 4, 2, 8]
becomes [1, 5, 4, 2, 8]
[1, 5, 4, 2, 8]
becomes [1, 4, 5, 2, 8]
[1, 4, 5, 2, 8]
becomes [1, 2, 4, 5, 8]
[1, 2, 4, 5, 8]
becomes [1, 2, 4, 5, 8]
def merge_sort(arr):
if len(arr) > 1:
mid = len(arr)//2
L = arr[:mid]
R = arr[mid:]
merge_sort(L)
merge_sort(R)
i = j = k = 0
while i < len(L) and j < len(R):
if L[i] < R[j]:
arr[k] = L[i]
i += 1
else:
arr[k] = R[j]
j += 1
k += 1
while i < len(L):
arr[k] = L[i]
i += 1
k += 1
while j < len(R):
arr[k] = R[j]
j += 1
k += 1
return arr
Example:
Given [5, 1, 4, 2, 8]
[5, 1, 4]
and [2, 8]
[5]
, [1, 4]
and [2]
, [8]
[1]
, [4]
[5]
, [1, 4]
becomes [1, 4, 5]
[2]
, [8]
becomes [2, 8]
[1, 4, 5]
, [2, 8]
becomes [1, 2, 4, 5, 8]
def quick_sort(arr):
if len(arr) <= 1:
return arr
pivot = arr[len(arr) - 1]
left = []
right = []
equal = []
for element in arr:
if element < pivot:
left.append(element)
elif element > pivot:
right.append(element)
else:
equal.append(element)
return quick_sort(left) + equal + quick_sort(right)
Example:
Given [5, 1, 4, 2, 8]
[5, 1, 4, 2]
, Right: []
, Equal: [8]
[1]
, Right: [5, 4]
, Equal: [2]
[]
, Right: [5]
, Equal: [4]
[1, 2, 4, 5, 8]
When to choose:
For datasets that don't fit into memory, External Sorting techniques are used. One common approach is to use Merge Sort.