Golang - SelectionSort

来源:互联网 发布:java 邮件发送excel 编辑:程序博客网 时间:2024/05/18 00:10
//We start selection sort by scanning the entire list to//find its smallest element and exchange it with the first//element, putting the smallest element in its final position in//the sorted list. Then we scan the list, starting with the second//element, to find the smallest among the last n-1 elements//and exchange it with the second element, putting the second//smallest element in its final position.//Generally, on the ith pass through the list, which we number from 0 to//n-2, the algorithm searches for the smallest item among the n-i elements//and swap it with A.//After n-1 passes, the list is sorted.package mainimport (    "fmt")//Sorts a given slice by selection sort//Input: A slice A[0..n-1] of orderable elements//Output: The original slice after sorted in nondecreasing orderfunc SelectionSort(A []int) []int {    length := len(A)    for i := 0; i < length-1; i++ {        min := i        for j := i + 1; j < length; j++ {            if A[min] > A[j] {                min = j            }        }        A[i], A[min] = A[min], A[i]    }    return A}func main() {    A := []int{1, 10, 9, 8, 7, 44, 2, 3, 33}    fmt.Println("The slice before sorted : ", A)    fmt.Println("The slice after sorted : ", SelectionSort(A))}
0 0
原创粉丝点击