go的sort包支持基本类型切片排序,如ints、Strings等;2. 使用sort.Slice可自定义排序规则,如逆序或按结构体字段排序;3. 实现sort.Interface接口可处理复杂排序逻辑。

在go语言中,sort 包提供了对切片和用户自定义数据结构进行排序的实用功能。掌握如何使用 sort 对切片排序,是日常开发中的基本技能。本文将通过实际例子,详细讲解 golang 中如何使用 sort 包对各种类型的切片进行排序。
对基本类型切片排序
Go 的 sort 包为常见基本类型(如 int、float64、string)提供了内置的排序函数,使用起来非常简单。
示例:对整型切片排序
package main import ( "fmt" "sort" ) func main() { nums := []int{5, 2, 6, 3, 1, 4} sort.Ints(nums) fmt.Println(nums) // 输出: [1 2 3 4 5 6] }
类似地,可以使用 sort.Float64s 和 sort.Strings 分别对 float64 和 string 类型的切片排序。
示例:对字符串切片排序
texts := []string{"banana", "apple", "cherry"} sort.Strings(texts) fmt.Println(texts) // 输出: [apple banana cherry] 
自定义排序函数:sort.Slice
当需要按特定规则排序时,比如逆序、按字段排序等,可以使用 sort.Slice,它接受一个切片和一个比较函数。
立即学习“go语言免费学习笔记(深入)”;
示例:对整型切片逆序排序
nums := []int{5, 2, 6, 3, 1, 4} sort.Slice(nums, func(i, j int) bool {     return nums[i] > nums[j] // 降序 }) fmt.Println(nums) // 输出: [6 5 4 3 2 1] 
示例:对结构体切片按字段排序
假设有一个学生列表,希望按成绩从高到低排序:
type Student struct {     Name  string     Score int }  students := []Student{     {"Alice", 85},     {"Bob", 90},     {"Charlie", 78}, }  sort.Slice(students, func(i, j int) bool {     return students[i].Score > students[j].Score })  fmt.Println(students) // 输出: [{Bob 90} {Alice 85} {Charlie 78}] 
实现 sort.Interface 接口进行排序
对于更复杂的排序逻辑,可以实现 sort.Interface 接口,该接口包含 len、less 和 Swap 三个方法。
示例:通过实现接口排序
type ByScore []Student  func (a ByScore) Len() int           { return len(a) } func (a ByScore) Swap(i, j int)      { a[i], a[j] = a[j], a[i] } func (a ByScore) Less(i, j int) bool { return a[i].Score < a[j].Score }  // 使用 sort.Sort(ByScore(students)) 
这种方式适合需要复用排序逻辑的场景,比如多个地方都需要“按成绩升序”排序,可以直接调用 sort.Sort(ByScore(…))。
注意事项与性能建议
使用 sort 包时,注意以下几点:
- 排序是原地操作,会修改原始切片。
 - sort.Slice 是 Go 1.8 引入的,推荐用于简单场景,代码更简洁。
 - 比较函数应保持一致性:若 a < b 返回 true,则 b < a 应返回 false。
 - 对于大型切片,避免在 Less 或比较函数中进行复杂计算,影响性能。
 
基本上就这些。Golang 的 sort 包设计简洁高效,无论是基本类型还是结构体,都能快速实现所需排序逻辑。掌握 sort.Slice 和接口实现方式,足以应对大多数实际需求。