Given the following Go code:
package main
type CatToy interface {
Rattle() string
}
type Cat struct {
}
func (cat *Cat) Play(catToy CatToy) {
println("The cat is playing!", catToy.Rattle())
}
type DogToy interface {
Roll() string
}
type Dog struct {
}
func (dog *Dog) Play(dogToy DogToy) {
println("The dog is playing!", dogToy.Roll())
}
type SuperToy struct {
}
func (toy *SuperToy) Rattle() string {
return "Rattle!!!"
}
func (toy *SuperToy) Roll() string {
return "Rolling..."
}
type Pet interface {
Play(toy interface{})
}
func main() {
cat := &Cat{}
dog := &Dog{}
superToy := &SuperToy{}
// Working
cat.Play(superToy)
dog.Play(superToy)
// Not Working
pets := []Pet{cat, dog}
for _, pet := range pets {
pet.Play(superToy)
}
}
I am getting these errors:
# command-line-arguments
./main.go:65:16: cannot use cat (type *Cat) as type Pet in array or slice literal:
*Cat does not implement Pet (wrong type for Play method)
have Play(CatToy)
want Play(interface {})
./main.go:65:21: cannot use dog (type *Dog) as type Pet in array or slice literal:
*Dog does not implement Pet (wrong type for Play method)
have Play(DogToy)
want Play(interface {})
The SuperToy
implements both CatToy
and DogToy
. However, when I create an interface Pet
with interface as an argument, I get an error. May I know how I'll be able to get an array/slice with a cat and dog inside? I want to iterate through this slice and call a function for each one. I also want to keep the CatToy
and DogToy
interfaces. I'm also ok with removing the Pet
interface.
More info:
In the future, it's more likely that I'll add more pets
. I don't think that I'll add more actions such as Play
.
Thank you
You could get the Play methods to take an
interface{}
and then do a type assertion inside the method:Full executable example on Go Playground:
https://play.golang.org/p/LZZ-HqpzR-Z