Files
go_playground/5-go-by-example/42-sorting-by-functions.go
2022-01-12 19:22:31 +01:00

28 lines
602 B
Go

package main
import (
"fmt"
"sort"
)
// in order to sort by a custom function in Go, you need a corresponding type
type byLength []string
// implement sort.Interface - Len, Less, and Swap - on the type
func (s byLength) Len() int {
return len(s)
}
func (s byLength) Swap(i, j int) {
s[i], s[j] = s[j], s[i]
}
func (s byLength) Less(i, j int) bool {
return len(s[i]) < len(s[j])
}
func main() {
// implement the custom sort by converting the original fruits slice to byLength and then use sort
fruits := []string{"peach", "banana", "kiwi"}
sort.Sort(byLength(fruits))
fmt.Println(fruits)
}