参考:
https://segmentfault.com/a/1190000016514382 (值得一看)
Go 常见排序方式
整数、浮点数、字符串切片排序
sort
包提供了一下几种排序函数:
sort.Ints(x []int)
sort.Float64s(x []float64)
sort.Strings(x []string)
使用自定义比较器进行排序
- 使用
sort.Slice(x interfacec{}, less func(i, j int) bool)
进行排序(快速排序 + 堆排序 + 希尔排序),其中less()
为自定义的排序逻辑(使用匿名函数定义排序规则);
x := [][]int{{2,5},{4,7},{1,5},{7,9}}sort.Slice(x, func(i, j int) bool {return x[i][0] > x[j][0]})fmt.Println(x)// output:[[7 9] [4 7] [2 5] [1 5]]
sort.SliceStable(x interfacec{}, less func(i, j int) bool)
使用方法与sort.Slice(...)
一致,唯一的不同点是sort.SliceStable(...)
是一种稳定的排序方式(插入排序 + 归并排序);
结构体排序
对于结构体切片,可以直接使用sort.Slice()
或者sort.SliceStable()
针对某个字段进行排序。其次,还可以令任意类型(主要针对结构体)实现sort.Interface
接口来进行排序。sort.Interface
中的三个方法:
type Interface interface {Len() intLess(i, j int) boolSwap(i, j int)
}
例如:
type Person struct {name stringage int
}type People []Personfunc (p People) Len() int {return len(p)
}func (p People) Less(i, j int) bool {return p[i].name > p[j].name/*按名字降序排序,如果名字相同,按年龄升序排序。if p[i].name == p[j].name {return p[i].age > p[j].age}return p[i].name > p[j].name*/}func (p People) Swap(i, j int) {p[i], p[j] = p[j], p[i]
}func main() {family := []Person{{name: "mother", age: 39},{name: "father", age: 40},{name: "son", age: 20},}fmt.Printf("before sort : %v\n", family)// 是否排序fmt.Println(sort.IsSorted(People(family)))sort.Sort(People(family))fmt.Println(sort.IsSorted(People(family)))fmt.Printf("after sort : %v\n", family)
}
// before sort : [{mother 39} {father 40} {son 20}]
// false
// true
// after sort : [{son 20} {mother 39} {father 40}]