Idiomatic quicksort in Go
Take a look at the source of the sort package from the standard library, particularily sort.Sort.
Well, I ended up with this. I don't know enough Go
to say it's idiomatic, but I used slices, one-line swaps and a range
clause. It's been pretty informative for me to write, so I thought I should share.
func qsort(a []int) []int {
if len(a) < 2 { return a }
left, right := 0, len(a) - 1
// Pick a pivot
pivotIndex := rand.Int() % len(a)
// Move the pivot to the right
a[pivotIndex], a[right] = a[right], a[pivotIndex]
// Pile elements smaller than the pivot on the left
for i := range a {
if a[i] < a[right] {
a[i], a[left] = a[left], a[i]
left++
}
}
// Place the pivot after the last smaller element
a[left], a[right] = a[right], a[left]
// Go down the rabbit hole
qsort(a[:left])
qsort(a[left + 1:])
return a
}