以下示例包含2个接口Foo
和Bar
,它们都实现相同的接口Timestamper
。它还包含实现sort.Interface的类型ByTimestamp
。
如函数main
所示,我想使用类型ByTimestamp
对Foo
s片和Bar
片进行排序。但是,代码将无法编译,因为它cannot convert foos (type []Foo) to type ByTimestamp
和cannot convert bars (type []Bar) to type ByTimestamp
。
是否可以对两个不同接口的切片进行排序,这两个接口都使用实现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))
}
答案 0 :(得分:0)
是的,可以使用一个sort.Interface
对不同类型进行排序。
但不是你试图这样做的方式。 Current 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
}
请参阅完整示例here。
而且,如果您只有几种类型,则可能需要进行特定类型的转换。