What Is Selection Sort – Complete Guide

Have you ever wondered how your favorite games and apps manage to organize scores or data so neatly every single time? Behind the scenes, sorting algorithms are hard at work. One of the fundamental algorithms used in these tasks is the Selection Sort.

Sorting is such an integral part of programming that understanding how these algorithms work is like knowing the secret recipe to your favorite dish. It can be immensely satisfying and empowering. This tutorial will shine a light on the Selection Sort algorithm, helping you understand its simplicity and efficacy in organizing data.

What Is Selection Sort?

Selection Sort is a comparison-based algorithm that divides the input list into two parts: the sorted part at the front of the list, and the unsorted part at the end of the list. Initially, the sorted part is empty, and the unsorted part is the entire list. The algorithm proceeds by finding the smallest (or largest, depending on sorting order) element in the unsorted sublist, swapping it with the leftmost unsorted element, and moving the sublist boundaries one element to the right.

What Is It Used For?

Though it may not be the most efficient algorithm for large data sets, Selection Sort has its niches where it shines:

– It is easy to implement and understand, making it great for beginner programmers.
– It works well for small lists, where the simplicity of the algorithm can be an advantage.
– It performs a minimal number of swaps, which can be crucial in cases with costly data movement.

Why Should I Learn It?

Despite its simplicity, learning Selection Sort is crucial because, as a fundamental algorithm, it:

– Lays the groundwork for understanding more complex sorting algorithms.
– Enhances problem-solving skills by teaching how to approach data organization logically.
– Can be optimized and provides a baseline for measuring more sophisticated algorithms’ performance against it.

By the end of this tutorial, you’ll not only understand how Selection Sort works, but you’ll be equipped to implement it and appreciate why such basic algorithms are still relevant in today’s coding landscape.

CTA Small Image

FREE COURSES AT ZENVA

LEARN GAME DEVELOPMENT, PYTHON AND MORE

AVAILABLE FOR A LIMITED TIME ONLY

Implementation of Selection Sort in Python

To kick things off, let’s write a simple implementation of Selection Sort in Python. Remember, the goal is to repeatedly find the minimum element and move it to the sorted part of the list.

def selection_sort(arr):
    for i in range(len(arr)):
        # Find the minimum element in remaining unsorted array
        min_idx = i
        for j in range(i+1, len(arr)):
            if arr[j] < arr[min_idx]:
                min_idx = j
        
        # Swap the found minimum element with the first element
        arr[i], arr[min_idx] = arr[min_idx], arr[i]
        
    return arr

# Example usage:
my_list = [64, 25, 12, 22, 11]
sorted_list = selection_sort(my_list)
print("Sorted list is:", sorted_list)

After running this code, `sorted_list` will be `[11, 12, 22, 25, 64]`, which is our original list sorted in ascending order. This basic example demonstrates Selection Sort’s essential working principles.

Understanding Selection Sort Example Step by Step

Let’s dissect this process to truly grasp what happens after each iteration:

1. Initialize the minimum value’s index (`min_idx`) to the current position.
2. Traverse the unsorted part of the array and find the index of the smallest (or largest, for descending order) element.
3. Swap it with the first unsorted element.
4. Move to the next element and repeat.

For example, let’s see a step-by-step traversal for the first two iterations on a list `[29, 10, 14, 37, 13]`.

First Iteration (i = 0):

  • The initial array is `29, 10, 14, 37, 13`. The minimum element is `10`.
  • Swap `29` with `10`, the array is now `10, 29, 14, 37, 13`.

Second Iteration (i = 1):

  • The unsorted part of the array is `29, 14, 37, 13`. The minimum element is `13`.
  • Swap `29` with `13`, the array is now `10, 13, 14, 37, 29`.

Continue this process, and the entire list will be sorted.

Selection Sort for Descending Order

What if we wanted to sort the list in descending order? Here’s how we adapt the algorithm:

def selection_sort_desc(arr):
    for i in range(len(arr)):
        max_idx = i
        for j in range(i+1, len(arr)):
            if arr[j] > arr[max_idx]:
                max_idx = j
        
        arr[i], arr[max_idx] = arr[max_idx], arr[i]
        
    return arr

# Example usage:
my_list = [64, 25, 12, 22, 11]
sorted_list_desc = selection_sort_desc(my_list)
print("Sorted list in descending order is:", sorted_list_desc)

After running this code, `sorted_list_desc` will be `[64, 25, 22, 12, 11]`, indicating the list is sorted in descending order.

Selection Sort Complexity and Optimization

The Selection Sort algorithm has a time complexity of O(n^2), making it inefficient for large data sets. However, it has an advantage when it comes to space complexity since it sorts the list in place, having an O(1) space complexity.

For further optimization, you might want to check if there was no swap in the last pass, which indicates the list is already sorted:

def optimized_selection_sort(arr):
    for i in range(len(arr)):
        min_idx = i
        swap = False
        for j in range(i+1, len(arr)):
            if arr[j] < arr[min_idx]:
                min_idx = j
                swap = True
        
        # Swap only if the element found is less than the current element
        if swap:
            arr[i], arr[min_idx] = arr[min_idx], arr[i]
        else:
            break
        
    return arr

# Example usage:
my_list = [64, 25, 12, 22, 11]
optimized_sorted_list = optimized_selection_sort(my_list)
print("Optimized sorted list is:", optimized_sorted_list)

In this optimized version, the code checks whether elements were swapped during an iteration. If nothing was swapped, it means the rest of the list is already sorted, and the function can terminate early. This can save significant processing time, especially if the list partially sorted.Assuming we’ve covered the basics of Selection Sort, let’s look into some variations and related questions that often accompany this algorithm. One common query is how to modify Selection Sort to work with complex data structures such as objects.

Selection Sort with Custom Comparator

When working with objects in a language like Python, we may want to sort them based on one of their attributes. For instance, consider an array of `Person` objects where each `Person` has a `name` and `age`. To sort these by age, we would use a custom comparator:

class Person:
    def __init__(self, name, age):
        self.name = name
        self.age = age

def selection_sort_people(people):
    for i in range(len(people)):
        min_idx = i
        for j in range(i+1, len(people)):
            if people[j].age < people[min_idx].age:
                min_idx = j
        people[i], people[min_idx] = people[min_idx], people[i]
    return people

# Example usage:
persons = [Person('Alice', 24), Person('Bob', 19), Person('Charlie', 26)]
sorted_persons = selection_sort_people(persons)
print("Sorted people by age:", [(p.name, p.age) for p in sorted_persons])

The `selection_sort_people` function works similarly to our standard Selection Sort, but the comparison now is based on the `age` attribute of each `Person`.

Stability in Sorting

Another aspect that might come into consideration when implementing sorting algorithms is stability. A sorting algorithm is stable if it preserves the relative order of equivalent elements. Selection Sort is not stable by nature, but with a slight modification, we can make it stable:

def stable_selection_sort(arr):
    for i in range(len(arr)):
        min_idx = i
        for j in range(i+1, len(arr)):
            if arr[j]  i:
            arr[min_idx] = arr[min_idx - 1]
            min_idx -= 1
        arr[i] = key
        
    return arr

Here, instead of swapping the elements, we move the elements one by one. This change ensures that equal elements maintain their original order, thus making Selection Sort stable.

Finding the Kth Smallest or Largest Element

Variations of Selection Sort can also be used to find the Kth smallest or largest element in an array — often a task in algorithm challenges.

def find_kth_smallest(arr, k):
    for i in range(k):
        min_idx = i
        for j in range(i+1, len(arr)):
            if arr[j] < arr[min_idx]:
                min_idx = j
        arr[i], arr[min_idx] = arr[min_idx], arr[i]
    
    return arr[k-1]

# Example usage:
my_list = [64, 25, 12, 22, 11]
kth_smallest = find_kth_smallest(my_list, 3)
print("The 3rd smallest element is:", kth_smallest)

It’s important to note that Selection Sort does not need to complete sorting the entire array to find the Kth smallest or largest element. Once it has performed K passes, the Kth smallest element will be placed at the (K-1)th index.

Conclusion

The code examples presented in this tutorial are meant to serve as a launching point for understanding and implementing Selection Sort in various applications. By learning this foundational algorithm, one establishes a strong baseline for comparison and can appreciate the nuances of optimizing and modifying algorithms for specific needs.

At Zenva, we believe in bridging the gap between theory and practical application. We strongly encourage integrating these code snippets into your own projects and experimenting with them. Doing so will not only reinforce learning but will also provide a deeper insight into the inner workings of algorithms, one of the pillars of computer science and programming.Let’s expand our knowledge further by tackling some of the nuances of Selection Sort and considering additional examples where we can apply this algorithm or its variations.

Handling Duplicates in Selection Sort

In cases where the list contains duplicates, our standard Selection Sort algorithm will work without changes, as it checks for `<=` instead of strictly `<` to maintain the order of duplicate elements. Here's a quick example to illustrate:

my_list = [21, 37, 37, 14, 21]
sorted_list = selection_sort(my_list)
print("Sorted list with duplicates:", sorted_list)

By running this snippet, the output will maintain the order of `37` and `21` as they appear in the original list.

Selection Sort with Strings

Selection Sort isn’t limited to numbers; we can also sort arrays of strings or characters. When sorting strings, the algorithm compares ASCII values in the background. Here’s how you might sort an array of strings alphabetically:

def selection_sort_strings(arr):
    for i in range(len(arr)):
        min_idx = i
        for j in range(i+1, len(arr)):
            if arr[j].lower() < arr[min_idx].lower():
                min_idx = j
        arr[i], arr[min_idx] = arr[min_idx], arr[i]

    return arr

# Example usage:
words = ['banana', 'Apple', 'orange', 'apple']
sorted_words = selection_sort_strings(words)
print("Alphabetically sorted words:", sorted_words)

This will provide an output with the correct alphabetical order, taking into account the uppercase and lowercase by converting them all to lowercase for comparison purposes.

Selection Sort with Multidimensional Arrays

At times, the data we want to sort might be in a multidimensional array (an array of arrays). Suppose we want to sort the elements based on the second element of each inner array:

def selection_sort_2d(arr):
    for i in range(len(arr)):
        min_idx = i
        for j in range(i+1, len(arr)):
            if arr[j][1] < arr[min_idx][1]:
                min_idx = j
        arr[i], arr[min_idx] = arr[min_idx], arr[i]

    return arr

# Example usage:
coordinate_list = [[3, 5], [1, 9], [4, 1]]
sorted_coords = selection_sort_2d(coordinate_list)
print("Sorted 2D array by second element:", sorted_coords)

Our sorted `coordinate_list` will be sorted by the y-coordinate (the second element of each tuple), which will output `[[4, 1], [3, 5], [1, 9]]`.

Partial Selection Sort

Sometimes, you might not need to sort the entire list. Selection Sort can be adapted to only sort a part of the list. Let’s say we want to sort only the first half of the array:

def partial_selection_sort(arr, length):
    for i in range(length):
        min_idx = i
        for j in range(i+1, len(arr)):
            if arr[j] < arr[min_idx]:
                min_idx = j
        arr[i], arr[min_idx] = arr[min_idx], arr[i]

    return arr

# Example usage:
my_list = [64, 25, 12, 22, 11, 90]
partial_sorted_list = partial_selection_sort(my_list, len(my_list)//2)
print("Partially sorted array:", partial_sorted_list)

This will result in the first half of `my_list` being sorted, while the second half remains in its original order `[11, 12, 25, 22, 64, 90]`.

Using Selection Sort to Order by Multiple Criteria

What about sorting based on multiple criteria? Imagine you have an array of `Person` objects again, but this time you want to sort by age, and in case of a tie, by name. You could extend Selection Sort to accommodate this requirement:

def selection_sort_by_multiple_criteria(people):
    for i in range(len(people)):
        min_idx = i
        for j in range(i+1, len(people)):
            if people[j].age < people[min_idx].age or \
               (people[j].age == people[min_idx].age and people[j].name < people[min_idx].name):
                min_idx = j
        people[i], people[min_idx] = people[min_idx], people[i]

    return people

# Example usage:
persons = [Person('Alice', 24), Person('Bob', 24), Person('Charlie', 24), Person('Bob', 19)]
sorted_persons = selection_sort_by_multiple_criteria(persons)
print("Sorted people by age and name:", [(p.name, p.age) for p in sorted_persons])

After running the above code, the output will reflect that the `Person` objects are sorted primarily by `age`, and then by `name` where the ages are equal.

Each of these examples builds on your foundational knowledge of how Selection Sort works and demonstrates its flexibility and adaptability. These practical applications are what make learning algorithms so valuable—they give you the tools to handle sorting and searching challenges across different programming contexts. At Zenva, we’re all about making real-world connections with these concepts, and we hope you’ll be inspired to infuse these examples into your programming repertoire.

Continue Your Learning Journey with Zenva

Mastering Selection Sort is just the beginning of your programming adventure. To continue expanding your coding knowledge and skills, we recommend exploring our Python Mini-Degree. This comprehensive collection of courses is designed to take you deeper into the world of Python programming, one of the most accessible and versatile languages in the tech industry today. You’ll not only sharpen your understanding of algorithms and data structures but also get hands-on experience with object-oriented programming, game development, and app creation.

For those eager to broaden their programming expertise even further, our wide range of Programming Courses offers a treasure trove of knowledge in various disciplines. Whether you’re starting from scratch or looking to build upon your existing skills, Zenva provides a learning path that can convert your curiosity into expertise. Plus, by crafting your own games and apps, you’ll gain practical experience that translates into real-world career opportunities. Join us at Zenva and take your tech career to the next level!

Conclusion

The world of programming is vast and constantly evolving, but solid foundations in algorithms like Selection Sort are the building blocks that will stand the test of time. As you’ve seen, understanding Selection Sort can open the door to more efficiently managing and utilizing data, allowing you to create more robust and performant applications. Remember, every big challenge in coding starts with a single step, and grasping these fundamental concepts is a step towards becoming a proficient programmer.

Don’t stop here! We at Zenva encourage continuous learning and improvement. Delve deeper into the exciting realm of coding with our Python Mini-Degree, where you’ll gain not just knowledge, but practical skills through real-world projects. Take control of your learning journey, and let us help you navigate through the challenges to achieve the success you’re aiming for. Happy coding!

FREE COURSES

Python Blog Image

FINAL DAYS: Unlock coding courses in Unity, Unreal, Python, Godot and more.