3 回答
TA贡献1811条经验 获得超5个赞
更改您的函数以将Animal
其作为返回类型。func() *Dog
不可转换为func() Animal
,它们是两种不同的数据类型。
类似于你可以通过的方式,比如说,int
as interface{}
,但不是[]int
as[]interface{}
TA贡献1806条经验 获得超5个赞
切片元素和函数具有不同的返回类型。使用匿名函数将函数返回值转换为切片元素返回类型。
funcs = append(funcs,
func() Animal { return Test() },
func() Animal { return Test2() })
for _, f := range funcs {
fmt.Println(f().Say())
}
另一种选择是使用 Reflect 包调用该函数并将结果转换为 Animal。
func makeAnimal(f interface{}) Animal {
// This function assumes that f is a function
// that returns a value that satisfies the
// Animal interface.
result := reflect.ValueOf(f).Call(nil)
return result[0].Interface().(Animal)
}
像这样使用它:
funcs := []interface{}{}
funcs = append(funcs, Test, Test2)
for _, f := range funcs {
a := makeAnimal(f)
fmt.Println(a.Say())
}
TA贡献2019条经验 获得超9个赞
问题是func () *Dog无法转换为func() Animal. 如果您不想使用反射,则必须更改“funcs”类型,然后[]interface{}将切片的每个元素转换为func() *Dog并简单地调用它,如下所示:
package main
import "fmt"
type Dog struct {
Word string
}
type Cat struct {
Word string
}
func (d *Dog) Say() string {
return d.Word
}
func (c *Cat) Say() string {
return c.Word
}
type Animal interface {
Say() string
}
func main() {
var funcs []interface{}
funcs = append(funcs, Test)
fmt.Println(funcs[0].(func() *Dog)().Say()) // prints "dog"
}
func Test() *Dog {
return &Dog{Word: "dog"}
}
func Test2() *Cat {
return &Cat{Word: "cat"}
}
- 3 回答
- 0 关注
- 134 浏览
添加回答
举报