ソートを使う
今回はソート(sort)のお話。
プログラマでソートを知らない人はいないだろうが,一応説明しておくと,あるデータの集合を一定の規則に従って並べ替えることを指す。
日本語では「整列」と呼んだりするらしい。
ソートをアルゴリズムまで言及すると非常に深いテーマになるのだが,今回は標準の sort パッケージの使い方に絞って「こんな感じ」で説明していく。
なお,この記事で紹介するコードは sort パッケージのドキュメントに書かれているものを流用している。
Go 言語のコンパイラ・コードは MIT ライセンスで提供されているのでご注意を。
基本型データ列のソート
sort パッケージでは基本型の int, float64, string についてはソート関数が用意されている。
たとえば {0.055, 0.815, 1.0, 0.107} というデータ列があるとしよう。
これを昇順(小さい値から大きい値へ順に並べること)で並べることを考える。
この場合は sort.Float64s() 関数を使えば簡単である。
コードにするとこんな感じ。
package main
import (
"fmt"
"sort"
)
func main() {
fset := []float64{0.055, 0.815, 1.0, 0.107}
for _, f := range fset {
fmt.Printf("%f ", f)
}
fmt.Print("\n")
sort.Float64s(fset)
for _, f := range fset {
fmt.Printf("%f ", f)
}
}
結果はこんな感じになる。
$ go run sort1.go
0.055000 0.815000 1.000000 0.107000
0.055000 0.107000 0.815000 1.000000
では,降順(大きい値から小さい値へ順に並べること)で並べるにはどうすればいいだろう。 これはちょっとだけ面倒くさくなる。
package main
import (
"fmt"
"sort"
)
func main() {
fset := []float64{0.055, 0.815, 1.0, 0.107}
for _, f := range fset {
fmt.Printf("%f ", f)
}
fmt.Print("\n")
sort.Sort(sort.Reverse(sort.Float64Slice(fset)))
for _, f := range fset {
fmt.Printf("%f ", f)
}
}
まず sort.Float64Slice は []float64 を示す型である。
type Float64Slice []float64
この型が示すデータ集合を sort.Sort() 関数で並べ替えるのだが,並べ替えの規則を sort.Reverse() 関数で反転させている。
実行結果はこんな感じでちゃんと降順になっているのが分かるだろう。
$ go run sort2.go
0.055000 0.815000 1.000000 0.107000
1.000000 0.815000 0.107000 0.055000
実は最初に出た sort.Float64s() 関数は内部で sort.Sort() 関数を呼んでいる。
// Float64s sorts a slice of float64s in increasing order.
func Float64s(a []float64) { Sort(Float64Slice(a)) }
で, sort.Sort() 関数の内部では sort.Float64Slice に紐付く Len(), Less(), Swap() 各メソッドが呼ばれている。
Len(), Less(), Swap() 各メソッドを持つ interface は以下のように定義されている。
// A type, typically a collection, that satisfies sort.Interface can be
// sorted by the routines in this package. The methods require that the
// elements of the collection be enumerated by an integer index.
type Interface interface {
// Len is the number of elements in the collection.
Len() int
// Less reports whether the element with
// index i should sort before the element with index j.
Less(i, j int) bool
// Swap swaps the elements with indexes i and j.
Swap(i, j int)
}
オブジェクトのソート
つまり,この sort.Interface インタフェースを持つ型であれば sort.Sort() 関数でソート可能ということになる。
たとえば以下のオブジェクト集合を考える。
// A Planet defines the properties of a solar system object.
type Planet struct {
Name string
Mass float64
Distance float64
}
var planets = []Planet{
{"Mercury", 0.055, 0.4},
{"Venus", 0.815, 0.7},
{"Earth", 1.0, 1.0},
{"Mars", 0.107, 1.5},
}
Planet オブジェクトの集合に対する sort.Interface インタフェースはこんな感じにする1。
// ByMass implements sort.Interface for []Planet based on the Mass field.
type ByMass []Planet
func (a ByMass) Len() int { return len(a) }
func (a ByMass) Less(i, j int) bool { return a[i].Mass < a[j].Mass }
func (a ByMass) Swap(i, j int) { a[i], a[j] = a[j], a[i] }
つまり Mass フィールド値の昇順に並べるわけだ。
全体ではこんな感じになるだろう。
package main
import (
"fmt"
"sort"
)
// A Planet defines the properties of a solar system object.
type Planet struct {
Name string
Mass float64
Distance float64
}
func (p Planet) String() string {
return p.Name
}
// ByMass implements sort.Interface for []Planet based on the Mass field.
type ByMass []Planet
func (a ByMass) Len() int { return len(a) }
func (a ByMass) Less(i, j int) bool { return a[i].Mass < a[j].Mass }
func (a ByMass) Swap(i, j int) { a[i], a[j] = a[j], a[i] }
func main() {
planets := []Planet{
{"Mercury", 0.055, 0.4},
{"Venus", 0.815, 0.7},
{"Earth", 1.0, 1.0},
{"Mars", 0.107, 1.5},
}
for _, p := range planets {
fmt.Printf("%v ", p)
}
fmt.Print("\n")
sort.Sort(ByMass(planets))
for _, p := range planets {
fmt.Printf("%v ", p)
}
}
結果は以下の通りで意図通りの動作になっているのが分かるだろう。
$ go run sort3.go
Mercury Venus Earth Mars
Mercury Mars Venus Earth
sort.Slice() 関数を使う場合
slice 限定であるが, sort.Slice() 関数を使えば sort.Interface インタフェースを定義しなくてもソートを行うことができる。
sort.Slice() 関数の定義は以下の通り。
func Slice(slice interface{}, less func(i, j int) bool)
実際のコードはこんな感じになる。
package main
import (
"fmt"
"sort"
)
// A Planet defines the properties of a solar system object.
type Planet struct {
Name string
Mass float64
Distance float64
}
func (p Planet) String() string {
return p.Name
}
func main() {
planets := []Planet{
{"Mercury", 0.055, 0.4},
{"Venus", 0.815, 0.7},
{"Earth", 1.0, 1.0},
{"Mars", 0.107, 1.5},
}
for _, p := range planets {
fmt.Printf("%v ", p)
}
fmt.Print("\n")
sort.Slice(planets, func(i, j int) bool {
return planets[i].Mass < planets[j].Mass
})
for _, p := range planets {
fmt.Printf("%v ", p)
}
}
sort.Slice() 関数の第2引数が関数閉包(closure)になっている点に注意2。
これなら第2引数の関数の内容を変えれば任意の規則でソートを行うことができる。
結果は sort.Interface インタフェースがある場合と同じく
$ go run sort4.go
Mercury Venus Earth Mars
Mercury Mars Venus Earth
となった。
さて,実際に sort.Slice() 関数を覗いてみよう。
// maxDepth returns a threshold at which quicksort should switch
// to heapsort. It returns 2*ceil(lg(n+1)).
func maxDepth(n int) int {
var depth int
for i := n; i > 0; i >>= 1 {
depth++
}
return depth * 2
}
// lessSwap is a pair of Less and Swap function for use with the
// auto-generated func-optimized variant of sort.go in
// zfuncversion.go.
type lessSwap struct {
Less func(i, j int) bool
Swap func(i, j int)
}
// Slice sorts the provided slice given the provided less function.
//
// The sort is not guaranteed to be stable. For a stable sort, use
// SliceStable.
//
// The function panics if the provided interface is not a slice.
func Slice(slice interface{}, less func(i, j int) bool) {
rv := reflect.ValueOf(slice)
swap := reflect.Swapper(slice)
length := rv.Len()
quickSort_func(lessSwap{less, swap}, 0, length, maxDepth(length))
}
reflect.ValueOf() 関数は reflect.Value を取得する関数だ3。
その次の reflect.Swapper() 関数がポイント。
この関数は先程の sort.Interface インタフェースでいうところの Swap() 関数に相当するものを返す4。
なのでこんなこともできる。
package main
import (
"fmt"
"reflect"
)
func main() {
s := []int{1, 2, 3}
fmt.Println(s) // [1 2 3]
reflect.Swapper(s)(0, 2)
fmt.Println(s) // [3 2 1]
}
残りの Len() 関数に相当するものは reflect.Value で用意されているし, Less() 関数に相当するものは sort.Slice() 関数の引数として与えられる。
これでソートに必要な3つの関数が揃うわけだ。
ちなみに quickSort_func() 関数は,名前の通り,クイックソートである。
ただしクイックソートでは安定ソートにならないため,安定ソートを実行するための sort.SliceStable() 関数も用意されている。
sort.SliceStable() 関数ではアルゴリズムに挿入ソートを用いる5。
【2023-08-10 追記】 slices 標準パッケージを使う
Go 1.21 から slices 標準パッケージが追加された。
このパッケージにも slice をソートする関数が定義されている。
// Sort sorts a slice of any ordered type in ascending order.
// When sorting floating-point numbers, NaNs are ordered before other values.
func Sort[S ~[]E, E cmp.Ordered](x S) {
n := len(x)
pdqsortOrdered(x, 0, n, bits.Len(uint(n)))
}
// SortFunc sorts the slice x in ascending order as determined by the cmp
// function. This sort is not guaranteed to be stable.
// cmp(a, b) should return a negative number when a < b, a positive number when
// a > b and zero when a == b.
//
// SortFunc requires that cmp is a strict weak ordering.
// See https://en.wikipedia.org/wiki/Weak_ordering#Strict_weak_orderings.
func SortFunc[S ~[]E, E any](x S, cmp func(a, b E) int) {
n := len(x)
pdqsortCmpFunc(x, 0, n, bits.Len(uint(n)), cmp)
}
// SortStableFunc sorts the slice x while keeping the original order of equal
// elements, using cmp to compare elements in the same way as [SortFunc].
func SortStableFunc[S ~[]E, E any](x S, cmp func(a, b E) int) {
stableCmpFunc(x, len(x), cmp)
}
安定ソートは slices.SortStableFunc() 関数のみか。
ソートのアルゴリズムについては割愛するが,コメントには “pattern-defeating quicksort(pdqsort)” と書かれている。
さて,これらの関数を使えば前節のコードを
package main
import (
"cmp"
"fmt"
"slices"
)
// A Planet defines the properties of a solar system object.
type Planet struct {
Name string
Mass float64
Distance float64
}
func (p Planet) String() string {
return p.Name
}
func main() {
planets := []Planet{
{"Mercury", 0.055, 0.4},
{"Venus", 0.815, 0.7},
{"Earth", 1.0, 1.0},
{"Mars", 0.107, 1.5},
}
for _, p := range planets {
fmt.Printf("%v ", p)
}
fmt.Print("\n")
slices.SortFunc(planets, func(pl, pr Planet) int {
return cmp.Compare(pl.Mass, pr.Mass)
})
for _, p := range planets {
fmt.Printf("%v ", p)
}
// Output:
// Mercury Venus Earth Mars
// Mercury Mars Venus Earth
}
てな感じに書き換えることができる。
cmp パッケージも Go 1.21 で追加されたものだ。
slices と同じく Generics を使って比較に関する型と関数を定義している。
ブックマーク
- sliceのシャッフル - Qiita : Fisher–Yates shuffle というアルゴリズムらしい
- Go言語でバイトニックソート実装してみた - Qiita
- Goでバケットソートアルゴリズム(ビット列を使用) - Qiita
- Goでのアルゴリズムクイックリファレンス第2版(4.1.1 挿入ソート) - Qiita
- interface{} をソートする - Qiita
- Big Sky :: golang の sort インタフェース難しい問題が解決した
- Go 言語 1.8 がリリース :
sort.Slice()関数はバージョン 1.8 で導入された - sort.Slice に学ぶ高速化のヒント - Qiita
- golang でクイックソートを並列化してみる - 長文書くところ
- 「ソート」を極める! 〜 なぜソートを学ぶのか 〜 - Qiita : ソート・アルゴリズムの概説。よくまとまっている
- Goでスターリンソート - Qiita : (笑)
- Quicksort の攻撃方法 - Sideswipe
参考図書
- プログラミング言語Go (ADDISON-WESLEY PROFESSIONAL COMPUTING SERIES)
- Alan A.A. Donovan (著), Brian W. Kernighan (著), 柴田 芳樹 (翻訳)
- 丸善出版 2016-06-20
- 単行本(ソフトカバー)
- 4621300253 (ASIN), 9784621300251 (EAN), 4621300253 (ISBN)
- 評価
著者のひとりは(あの「バイブル」とも呼ばれる)通称 “K&R” の K のほうである。この本は Go 言語の教科書と言ってもいいだろう。と思ったら絶版状態らしい(2025-01 現在)。復刊を望む!
- 数学ガール/乱択アルゴリズム
- 結城 浩 (著)
- SBクリエイティブ 2011-02-25 (Release 2014-03-12)
- Kindle版
- B00I8AT1FO (ASIN)
- 評価
工学ガール,リサちゃん登場!
-
今回は簡単のため slice を使っているが,データ集合は slice である必要はなく
sort.Interfaceインタフェースを持つ任意のオブジェクトであればよい。 ↩︎ -
reflectパッケージについての詳細は割愛する。簡単に言うと, Go 言語において interface 型のインスタンスは型情報と値への参照の2つを保持していて,これに対応するのがreflect.Typeとreflect.Valueである(参考: research!rsc: Go Data Structures: Interfaces)。 ↩︎ -
reflect.Swapper()関数は引数の型が slice であることを前提にしていて, slice でない場合は panic が返る。 ↩︎ -
sort.Sort()関数も同じくクイックソートである。これの安定ソート版がsort.Stable()関数で同じく挿入ソートを用いている。 ↩︎

