-3
  common": [
          {
            "id": 17878,
            "name": "sk",
       
            "sort": [
                {
                    "key": "sort_order",
                    "value": "5"
                }
                {
                    "key": "promoId",
                    "value": "1"
                }

            ]
           }

             {
            "id": 17878,
            "name": "sk",
       
            "sort": [
                {
                    "key": "sort_order",
                    "value": "1"
                }
                {
                    "key": "promoId",
                    "value": "1"
                }

            ]
        }


        ]
type sSortdata struct {
    Key   string  `json:"key"`
    Value string  `json:"value"`
    
}
type Data struct {

    Id                int64       `json:"id"`
    Sort          []sSortdata     `json:"sort"`

}

我想仅使用 sort_order 类型对数据结构进行排序。sSortdata 不是全局变量。怎么能做到这种简单的方法

4

1 回答 1

3

您可以使用sort.Slice()函数对切片进行排序。因为应用程序给出的排序回调函数,变量作用域对排序没有影响。

操场上奔跑

package main

import (
    "fmt"
    "sort"
)

type sSortdata struct {
    Key   string `json:"key"`
    Value string `json:"value"`
}

type Data struct {
    Id   int64       `json:"id"`
    Sort []sSortdata `json:"sort"`
}

func main() {
    m := []Data{
        {
            Id: 17878,
            Sort: []sSortdata{
                {
                    Key:   "sort_order",
                    Value: "5",
                },
                {
                    Key:   "promoId",
                    Value: "1",
                },
            },
        },
        {
            Id: 17878,
            Sort: []sSortdata{
                {
                    Key:   "sort_order",
                    Value: "1",
                },
                {
                    Key:   "promoId",
                    Value: "1",
                },
            },
        }}
    
    fmt.Println(`before sorting := `, m)
    sort.Slice(m, func(i, j int) bool {
        var sortI, sortJ string
        for _, data := range m[i].Sort {
            if data.Key == `sort_order` {
                sortI = data.Value
                break
            }
        }
        for _, data := range m[j].Sort {
            if data.Key == `sort_order` {
                sortJ = data.Value
                break
            }
        }

        return sortI < sortJ
    })

    fmt.Println(`after sorting := `, m)

    //before sorting :=  [{17878 [{sort_order 5} {promoId 1}]} {17878 [{sort_order 1} {promoId 1}]}]
    //after sorting :=  [{17878 [{sort_order 1} {promoId 1}]} {17878 [{sort_order 5} {promoId 1}]}]
}

于 2021-08-20T03:49:49.690 回答