Go语言中通过sort包实现切片排序,支持基本类型升序排序、降序排序及自定义结构体排序。1. 对整数、字符串等基本类型切片可直接使用sort.Ints、sort.Strings等函数进行升序排序。2. 实现降序需结合sort.Reverse包装器,如sort.Sort(sort.Reverse(sort.IntSlice(nums)))实现整数降序。3. 结构体排序可通过sort.Slice配合比较函数完成,例如按学生年龄或姓名排序。4. sort.Slice支持灵活排序,如按字符串长度排序,无需定义新类型。所有操作均为原地排序,会修改原切片,必要时需提前拷贝。该方法简洁高效,适用于大多数场景。

Go语言中对切片进行排序主要依靠sort包,提供了对常见数据类型(如int、string、float64)的升序排序支持,也允许自定义排序规则。下面通过几个常见示例展示如何使用sort对切片进行操作。
1. 基本类型切片排序
对于整数、字符串等基本类型的切片,可以直接使用sort.Ints、sort.Strings、sort.Float64s等函数进行升序排序。
- 整数切片排序:
nums := []int{5, 2, 8, 1, 9}sort.Ints(nums)// 结果:[1 2 5 8 9]
- 字符串切片排序:
words := []string{"banana", "apple", "cherry"}sort.Strings(words)// 结果:["apple" "banana" "cherry"]
2. 反向排序(降序)
Go标准库默认是升序,若要降序,可以使用sort.Sort配合sort.Reverse包装器。
- 整数降序:
nums := []int{5, 2, 8, 1, 9}sort.Sort(sort.Reverse(sort.IntSlice(nums)))// 结果:[9 8 5 2 1]
- 字符串降序:
words := []string{"banana", "apple", "cherry"}sort.Sort(sort.Reverse(sort.StringSlice(words)))// 结果:["cherry" "banana" "apple"]
3. 自定义结构体排序
当需要根据结构体字段排序时,实现sort.Interface接口(Len、Less、Swap)即可。
立即学习“go语言免费学习笔记(深入)”;
例如,按学生年龄排序:
type Student struct {
Name string
Age int}students := []Student{
{"Alice", 22},
{"Bob", 20},
{"Charlie", 23},}sort.Slice(students, func(i, j int) bool {
return students[i].Age )
如果想按名字字母顺序排:sort.Slice(students, func(i, j int) bool {
return students[i].Name )
4. 使用 sort.Slice 灵活排序
sort.Slice是Go 1.8+推荐的方式,无需定义新类型,直接传入比较函数。
示例:按字符串长度排序
words := []string{"hi", "hello", "go", "world"}sort.Slice(words, func(i, j int) bool {
return len(words[i]) )// 结果:["hi" "go" "hello" "world"]
基本上就这些常用场景。sort包简洁高效,结合sort.Slice能应对大多数排序需求。注意原地排序会修改原切片,必要时先拷贝。不复杂但容易忽略细节,比如比较函数返回值决定顺序。基本上就这些。










