DEV Community

Cover image for Merge Sort
Adheeban Manoharan
Adheeban Manoharan

Posted on

Merge Sort

Today, we're going to dive into the world of Merge Sort, a widely used sorting algorithm known for its efficiency, reliability, and stability.

What is Merge Sort?

Merge Sort is a sorting algorithm that falls under the "divide and conquer" category. It was developed in 1945 by John von Neumann and is often used for sorting arrays. The basic idea behind Merge Sort is to divide a large array into smaller, more manageable sub-arrays, sort them, and then merge these sub-arrays back together in a sorted manner.

Merge Sort operates recursively and is known for its stable sorting properties, making it an excellent choice for sorting large data sets.

How Merge Sort Works

The key to understanding Merge Sort lies in its name. It "merges" and "sorts" to achieve its goal. Here's a high-level overview of the process:

  1. Divide: The unsorted array is divided into two equal halves until individual elements are reached.

  2. Conquer: Each of these smaller arrays is sorted recursively using Merge Sort.

  3. Merge: Finally, the sorted sub-arrays are merged back together, maintaining their order.

This process continues until the entire array is sorted.

Time and Space Complexity

  • Time Complexity: Merge Sort has a time complexity of O(n log n), which makes it efficient for sorting large data sets. The "divide and conquer" approach ensures that each element is compared only once.

  • Space Complexity: The space complexity of Merge Sort is O(n), which means it requires additional memory for creating and merging sub-arrays. This can be a drawback for large arrays with limited memory.

Implementation with Python

Let's take a look at a Python implementation of Merge Sort. This code demonstrates the divide-and-conquer approach to sorting an array.

def merge_sort(arr):
    if len(arr) <= 1:
        return arr

    # Divide the array into two halves
    middle = len(arr) // 2
    left_half = arr[:middle]
    right_half = arr[middle:]

    # Recursively sort both halves
    left_half = merge_sort(left_half)
    right_half = merge_sort(right_half)

    # Merge the sorted halves
    return merge(left_half, right_half)

def merge(left, right):
    result = []
    left_index, right_index = 0, 0

    while left_index < len(left) and right_index < len(right):
        if left[left_index] < right[right_index]:
            result.append(left[left_index])
            left_index += 1
        else:
            result.append(right[right_index])
            right_index += 1

    result.extend(left[left_index:])
    result.extend(right[right_index:])
    return result
Enter fullscreen mode Exit fullscreen mode

Now that's about merge sort. See you in the next one. Until then, Sayonara!

Top comments (0)