Go 类型转换 - 使用共享接口对不同接口的 2 个切片进行排序



下面的示例包含 2 个接口FooBar,它们都实现了相同的接口Timestamper。它还包含实现排序的类型ByTimestamp。接口。

如函数main所示,我想使用类型 ByTimestampFoo s 的切片和 Bar s 的切片进行排序。但是,代码不会编译,因为它cannot convert foos (type []Foo) to type ByTimestamp并且cannot convert bars (type []Bar) to type ByTimestamp

是否可以对不同接口的 2 个切片进行排序,这些切片都实现相同的接口,实现sort.Interface的单一类型?

package main
import (
    "sort"
)
type Timestamper interface {
    Timestamp() int64
}
type ByTimestamp []Timestamper
func (b ByTimestamp) Len() int {
    return len(b)
}
func (b ByTimestamp) Swap(i, j int) {
    b[i], b[j] = b[j], b[i]
}
func (b ByTimestamp) Less(i, j int) bool {
    return b[i].Timestamp() < b[j].Timestamp()
}
type Foo interface {
    Timestamper
    DoFoo() error
}
type Bar interface {
    Timestamper
    DoBar() error
}
func getFoos() (foos []Foo) {
    // TODO get foos
    return
}
func getBars() (bars []Bar) {
    // TODO get bars
    return
}
func main() {
    foos := getFoos()
    bars := getBars()
    sort.Sort(ByTimestamp(foos))
    sort.Sort(ByTimestamp(bars))
}

围棋游乐场

是的,可以使用一个sort.Interface对不同类型的类型进行排序。但不是你想做的方式。当前的 Go 规范不允许将一种切片类型转换为另一种切片类型。您必须转换每个项目。

下面是一个使用反射执行此操作的帮助程序函数:

// ByTimestamp converts a slice of Timestamper into a slice
// that can be sorted by timestamp.
func ByTimestamp(slice interface{}) sort.Interface {
    value := reflect.ValueOf(slice)
    length := value.Len()
    b := make(byTimestamp, 0, length)
    for i := 0; i < length; i++ {
        b = append(b, value.Index(i).Interface().(Timestamper))
    }
    return b
}

在此处查看完整示例。

而且,如果您只有几种类型,那么改为进行特定于类型的转换可能是有意义的。

最新更新