我需要一个接口的Map,因为我希望能够运行一个函数,该函数可以使用任何一个接口的具体实现,而不必关心那些结构体可以做的“额外”事情。
我读过https://jordanorelli.com/post/32665860244/how-to-use-interfaces-in-go,它对指针和接口有很好的解释,但我仍然不知道如何在实践中实现我想要的。
我正在尝试下面的代码:
https://play.golang.com/p/nRH2IyK7t9F
package main
import (
"fmt"
)
type IExample interface {
GetName() string
}
type Concrete struct {
Name string
}
func (c *Concrete) GetName() string {
return c.Name
}
func main() {
// in my real application this is a slice returned from Gorm orm
var s = []Concrete{
Concrete{Name: "one"},
Concrete{Name: "two"},
}
foo := make(map[string]IExample)
bar := []IExample{}
for _, c := range s {
foo[c.Name] = &c
bar = append(bar, &c)
fmt.Printf("Set key [%s]\r\n", c.Name)
}
for name, element := range foo {
fmt.Printf("key: [%s] has element [%s]\r\n", name, element.GetName())
}
for name, element := range bar {
fmt.Printf("key: [%d] has element [%s]\r\n", name, element.GetName())
}
}
这将输出:
Set key [one]
Set key [two]
key: [one] has element [two]
key: [two] has element [two]
key: [0] has element [two]
key: [1] has element [two]
我真正想要的是元素一在关键的“一”中。
我想这个问题是因为赋值使用了一个引用foo[c.Name] = &c
。我需要这个,因为否则我会得到错误“cannot use c (variable of type Concrete) as IExample value in assignment: Concrete does not implement IExample (method GetName has pointer receiver)
“
在阅读https://dusted.codes/using-go-generics-to-pass-struct-slices-for-interface-slices之后,我想知道这个问题是否可以使用泛型来解决,但是我不知道如何实现它。
type ExampleMap map[string]IExample
func (e *ExampleMap) add[T IExample](id string item T) {
e[id] = item
}
// syntax error: method must have no type parameters
我怎样才能让这个Map包含正确的元素?
1条答案
按热度按时间aiazj4mn1#
你做的是正确的。你只是把错误的东西放进了Map:
循环变量在每次迭代时都会被重写,所以当您将
&c
添加到Map和切片时,您添加的指针是c
的地址,该地址在每次迭代时都会被重写。