亲爱的开发人员,
我有这个问题,这对我来说似乎有些奇怪。看看这段代码:
package coreinterfaces
type FilterInterface interface {
Filter(s *string) bool
}
type FieldFilter struct {
Key string
Val string
}
func (ff *FieldFilter) Filter(s *string) bool {
// Some code
}
type FilterMapInterface interface {
AddFilter(f *FilterInterface) uuid.UUID
RemoveFilter(i uuid.UUID)
GetFilterByID(i uuid.UUID) *FilterInterface
}
type FilterMap struct {
mutex sync.Mutex
Filters map[uuid.UUID]FilterInterface
}
func (fp *FilterMap) AddFilter(f *FilterInterface) uuid.UUID {
// Some code
}
func (fp *FilterMap) RemoveFilter(i uuid.UUID) {
// Some code
}
func (fp *FilterMap) GetFilterByID(i uuid.UUID) *FilterInterface {
// Some code
}
在其他一些软件包上,我有以下代码:
func DoFilter() {
fieldfilter := &coreinterfaces.FieldFilter{Key: "app", Val: "152511"}
filtermap := &coreinterfaces.FilterMap{}
_ = filtermap.AddFilter(fieldfilter) // <--- Exception is raised here
}
运行时间不会接受提到的行,因为
&#34;不能使用fieldfilter(type * coreinterfaces.FieldFilter)作为类型 * fieldinter.AddFilter参数中的coreinterfaces.FilterInterface: * coreinterfaces.FilterInterface是指向接口的指针,而不是接口&#34;
但是,将代码更改为:
func DoBid() error {
bs := string(b)
var ifilterfield coreinterfaces.FilterInterface
fieldfilter := &coreinterfaces.FieldFilter{Key: "app", Val: "152511"}
ifilterfield = fieldfilter
filtermap := &coreinterfaces.FilterMap{}
_ = filtermap.AddFilter(&ifilterfield)
}
一切都很好,在调试应用程序时,它似乎真的包括
我对这个话题有点困惑。在查看其他博客文章和堆栈溢出线程时,讨论这个完全相同的问题(例如 - This或 This)引发此异常的第一个片段应该有效,因为fieldfilter和fieldmap都被初始化为接口的指针,而不是接口的值。我还没有能够绕过我需要更改的实际情况,以便我不要声明FieldInterface并为该接口分配实现。必须有一种优雅的方式来做到这一点。
答案 0 :(得分:81)
所以你在这里混淆了两个概念。指向结构的指针和指向接口的指针不同。接口可以直接存储结构或指向结构的指针。在后一种情况下,您仍然只是直接使用接口,不是指向接口的指针。例如:
type Fooer interface {
Foo()
}
type Foo struct{}
func (f Foo) Foo() {}
func main() {
var f1 Foo
var f2 *Foo = &Foo{}
DoFoo(f1)
DoFoo(f2)
}
func DoFoo(f Fooer) {
fmt.Printf("[%T] %+v\n", f, f)
}
输出:
[main.Foo] {}
[*main.Foo] &{}
https://play.golang.org/p/BGV9d1-IRW
在这两种情况下,f
中的DoFoo
变量只是一个接口,不是指向接口的指针。但是,在存储f2
时,接口保存指向Foo
结构的指针。
指向接口的指针几乎永远不会有用。事实上,Go运行时特别是将几个版本更改为不再自动解除引用接口指针(就像结构指针一样),以阻止它们的使用。在绝大多数情况下,指向接口的指针反映了对接口应该如何工作的误解。
但是,接口有限制。如果将结构直接传递到接口,则只能使用该类型的 value 方法(即。func (f Foo) Foo()
,而不是func (f *Foo) Foo()
)来实现接口。这是因为您在界面中存储了原始结构的副本,因此指针方法会产生意想不到的效果(即无法改变原始结构)。因此,默认的经验法则是存储指向接口中结构的指针,除非有令人信服的理由不这样做。
特别是对于您的代码,如果您将AddFilter函数签名更改为:
func (fp *FilterMap) AddFilter(f FilterInterface) uuid.UUID
GetFilterByID签名为:
func (fp *FilterMap) GetFilterByID(i uuid.UUID) FilterInterface
您的代码将按预期工作。 fieldfilter
的类型为*FieldFilter
,它填充了FilterInterface
接口类型,因此AddFilter
将接受它。
这里有一些很好的参考资料,用于了解方法,类型和接口如何在Go中相互协作和集成:
答案 1 :(得分:1)
GetFilterByID(i uuid.UUID) *FilterInterface
出现此错误时,通常是因为我指定的是指向接口而不是接口的指针(实际上是指向实现该接口的结构的指针)。
* interface {...}有一个有效的用法,但更常见的是,我只是在考虑“这是一个指针”,而不是“这是恰好是我编写的代码中的一个指针的接口” < / p>
把它扔出去是因为已接受的答案虽然详细,但并没有帮助我解决问题。