Selection Sort Algorithm
Selection Sort algorithm is a simple comparison-based sorting technique that works by dividing the input list into two parts: sorted and unsorted. Initially, the sorted part is empty, and the unsorted part contains all the elements. The algorithm repeatedly selects the smallest (or largest, depending on the ordering) element from the unsorted part and moves it to the end of the sorted part. This process continues until the unsorted part becomes empty, and the sorted part contains all the elements in the desired order.
In each iteration of the selection sort algorithm, the minimum (or maximum) element is identified from the remaining unsorted elements, and its position is swapped with the first unsorted element. This results in the minimum (or maximum) element moving to its correct position in the sorted part. The algorithm's time complexity is O(n^2) as it requires two nested loops in its implementation, making it inefficient for large datasets. However, it has the advantage of performing fewer swaps compared to other sorting algorithms like bubble sort, which might be beneficial in situations where swapping elements is a costly operation. 
                      
                      
                      
                        
                      
                      
                    
                   
                  package SelectionSort
import (
	"math/rand"
	"sort"
	"testing"
	"time"
)
func SelectionSort(array []int) {
	for arrayIndex := range array {
		minValue := array[arrayIndex]
		minIndex := arrayIndex
		for subArrayIndex := arrayIndex + 1; subArrayIndex < len(array); subArrayIndex++ {
			if array[subArrayIndex] < minValue {
				minValue = array[subArrayIndex]
				minIndex = subArrayIndex
			}
		}
		array[minIndex], array[arrayIndex] = array[arrayIndex], array[minIndex]
	}
}
func TestSelectionSort(t *testing.T) {
	random := rand.New(rand.NewSource(time.Now().UnixNano()))
	array1 := make([]int, random.Intn(100-10)+10)
	for i := range array1 {
		array1[i] = random.Intn(100)
	}
	array2 := make(sort.IntSlice, len(array1))
	copy(array2, array1)
	SelectionSort(array1)
	array2.Sort()
	for i := range array1 {
		if array1[i] != array2[i] {
			t.Fail()
		}
	}
}