Golang : Selection sort example
The selection sort algorithm is an in-place comparison sort. What it does is that it loops a given slice and find the first smallest value, swaps it with the first element; loop and find the second smallest value again, swaps it with the second element, repeats third, fourth, fifth smallest values and swaps it.
Once everything is in correct order, the selection sort process will stop. Given the method of how it works, selection sort algorithm is inefficient on large lists.
Below is a simple implementation of selection sort in Golang. Here you go!
package main
import (
"fmt"
)
func selectionSort(randomSlice []int) {
var size = len(randomSlice)
for i := 0; i < size; i++ {
var min = i
// find the first, second, third, fourth...smallest value
for j := i; j < size; j++ {
if randomSlice[j] < randomSlice[min] {
min = j
}
}
// swap the smallest value the position of "i"
randomSlice[i], randomSlice[min] = randomSlice[min], randomSlice[i]
} // repeat till end of slice
}
func main() {
var randomInt = []int{10, 9, 8, 22, 11, 23, 9}
fmt.Println("Unsorted : ")
fmt.Println(randomInt)
fmt.Println("Selection Sorted : ")
selectionSort(randomInt)
fmt.Println(randomInt)
}
Output:
Unsorted :
[10 9 8 22 11 23 9]
Selection Sorted :
[8 9 9 10 11 22 23]
See also : Golang : Sort and reverse sort a slice of integers
By Adam Ng
IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.
Advertisement
Tutorials
+8.5k Golang : Random integer with rand.Seed() within a given range
+8.5k Golang : Accept any number of function arguments with three dots(...)
+17.9k Golang : How to remove certain lines from a file
+5.4k Unix/Linux/MacOSx : Get local IP address
+8.5k Golang : Gorilla web tool kit schema example
+7.9k Golang : Qt splash screen with delay example
+4.4k Golang : How to pass data between controllers with JSON Web Token
+26.3k Golang : Encrypt and decrypt data with AES crypto
+6.6k Fix sudo yum hang problem with no output or error messages
+4.6k Python : Find out the variable type and determine the type with simple test
+5.1k Unix/Linux : How to archive and compress entire directory ?
+10.9k Golang : Proper way to test CIDR membership of an IP 4 or 6 address example