我有一个返回检查模型实例的函数,我想用sort对其进行CreatedDate编码,但是在编译后我得到了

不能使用Inspections [i] .CreatedDate(类型字符串)作为return参数中的bool类型
inspection.go

type Inspection struct {
    Id          int64               `db:"id,omitempty" json:"id,omitempty"`
    CreatedDate string              `db:"created,omitempty" json:"created_date,omitempty"`
    Records     []*InspectionRecord `db:"-" json:"records,omitempty"`
    InspectionFields
}

并且list.go
import (
    "sort"
)

func (s *Manager) list(fields *inspection.ItemIdField) (*inspection.InspectionHistoryResponse, error) {
    return s.listItemInspectionHistory(fields.ItemId)
}

func (s *Manager) listItemInspectionHistory(itemId string) (*inspection.InspectionHistoryResponse, error) {
    g := config.Client.Inspections()

    var inspections []*models.Inspection

    inspections, err := g.FindInspections(itemId)

    if err != nil {
        s.Log.Debugf("Can't find inspections of item with id %s", itemId)
        return nil, err
    }
    s.Log.Debugf("Found %d inspections for item with id %s", len(inspections), itemId)

    for _, inspection := range inspections {
        inspection.Records, err = g.FindRecords(inspection.Id)
        if err != nil {
            s.Log.Debugf("Can't find records for inspection with id %d", inspection.Id)
            return nil, err
        }
        s.Log.Debugf("Found %d records for inspection with id %d", len(inspection.Records), inspection.Id)
    }

    model := new(models.InspectionHistory)
    model.Inspections = inspections
    // sort by CreatedDate
    sort.Slice(inspections, func(i, j int) bool { return inspections[i].CreatedDate })

    return transform.InspectionHistoryModelToProtobufResponse(model)
}

该错误是显而易见的,但是我对如何解决它有些困惑,有人可以向我解释如何解决此问题吗?谢谢。

最佳答案

您必须解析Date字符串并将它们作为time.Time实例进行比较

假设您有一个有效的日期,并且它们在RFC3339上,则可以执行以下操作

    sort.Slice(inspections, func(i, j int) bool {
        t1, _ := time.Parse(time.RFC3339, inspections[i].CreatedDate)
        t2, _ := time.Parse(time.RFC3339, inspections[j].CreatedDate)
        return t1.After(t2)
    })

关于go - 按createdDate golang排序列表,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/55477464/

10-13 04:24