使用 Go 语言实现字符串基数排序的程序
基数排序由于字符串数据类型的固有结构而适用于对字符串进行排序。在本文中,我们将编写一个 Go 语言程序来实现对字符串进行基数排序。我们从一个未排序的字符串数组开始,并演示如何应用基数排序对其进行排序。字符串是字符数组或字符组合。
语法
func make ([] type, size, capacity)
Go 中的 make 函数用于构建数组/映射。它接收要生成的变量类型以及其大小和容量作为参数。
func range(variable)
range 函数遍历任何数据类型。要使用它,首先键入 range 关键字,后跟要迭代的数据类型,循环将迭代直到变量的最后一个元素。
func len(v Type) int
len() 函数用于获取任何参数的长度。它将要查找长度的数据类型变量作为参数,并返回表示变量长度的整数值。
算法
从需要排序的字符串数组开始。
查找数组中长度最长的字符串。
将基数排序算法应用于每个字符位置,从右到左。
在对所有字符位置进行排序后,字符串数组将按字典序排序。
打印排序后的字符串。
示例
在本例中,我们将编写一个 Go 语言程序,使用基数排序算法(将数组元素与桶进行比较)来实现对字符串的基数排序。这里,计数排序函数用作子程序,用于根据当前数字位置的字符对字符串进行排序。
package main import ( "fmt" ) func countingSort(strs []string, index int) { n := len(strs) output := make([]string, n) count := make([]int, 256) for i := 0; i < n; i++ { char := getCharAtIndex(strs[i], index) count[char]++ } for i := 1; i < 256; i++ { count[i] += count[i-1] } // Build the output array for i := n - 1; i >= 0; i-- { char := getCharAtIndex(strs[i], index) output[count[char]-1] = strs[i] count[char]-- } for i := 0; i < n; i++ { strs[i] = output[i] } } func getCharAtIndex(str string, index int) int { if index < len(str) { return int(str[index]) } return 0 } func radixSort(strs []string) { maxLen := getMaxLen(strs) for i := maxLen - 1; i >= 0; i-- { countingSort(strs, i) } } func getMaxLen(strs []string) int { maxLen := 0 for _, str := range strs { if len(str) > maxLen { maxLen = len(str) } } return maxLen } func main() { strs := []string{"banana", "apple", "cherry", "date", "grape", "kiwi", "mango", "orange"} radixSort(strs) fmt.Println("Sorted strings:", strs) }
输出
Sorted strings: [apple banana cherry date grape kiwi mango orange]
结论
在本文中,我们检查了如何对字符串执行基数排序。我们探讨了使用计数排序作为子程序来实现此程序。
广告