美文网首页
golang sort 工具包的用法

golang sort 工具包的用法

作者: Dico_zhang | 来源:发表于2016-07-01 12:11 被阅读959次

    基本类型 int 、 float64 和 string 的排序
    go 分别提供了 sort.Ints() 、 sort.Float64s() 和 sort.Strings() 函数

        ints := []int{2, 4, 3, 5, 7, 6, 9, 8, 1, 0}
        sort.Ints(ints)
        fmt.Println(ints) // [0 1 2 3 4 5 6 7 8 9]
    

    如果像要降序,则先需绑定以下3个方法

    Paste_Image.png

    sort 包下的三个类型 IntSlice 、 Float64Slice 、 StringSlice 分别实现了这三个方法, 对应排序的是 [] int 、 [] float64 和 [] string, 如果期望逆序排序, 只需要将对应的 Less 函数简单修改一下即可

        ints := []int{2, 4, 3, 5, 7, 6, 9, 8, 1, 0}
        sort.Sort(sort.Reverse(sort.IntSlice(ints)))
        fmt.Println(ints) // [9 8 7 6 5 4 3 2 1 0]
    

    <h3>结构体类型的排序</h3>

    type Person struct {
        Age int32
    }
    
    type Persons []*Person
    
    func (this Persons) Len() int {
        return len(this)
    }
    
    func (this Persons) Swap(i, j int) {
        this[i], this[j] = this[j], this[i]
    }
    
    func (this Persons) Less(i, j int) bool {
        return this[i].Age > this[j].Age
    }
    
    func SortStruct() {
        p1 := &Person{1}
        p2 := &Person{4}
        p3 := &Person{2}
        list := make([]*Person, 0)
        list = append(list, p1, p2, p3) //需要排序的数组
        persons := Persons{} 
        persons = list
        sort.Sort(persons) //通过重写的 less,用age 属性进行排序
        for _, v := range persons {
            fmt.Println(v.Age)
        }
    }
    

    相关文章

      网友评论

          本文标题:golang sort 工具包的用法

          本文链接:https://www.haomeiwen.com/subject/pabfjttx.html