php小编草莓将为大家介绍如何将接口转换为它实现的另一个接口。在编程中,接口是一种定义了一组方法的抽象类型,而另一个接口则是实现了这些方法的具体类型。将接口转换为另一个接口可以帮助我们在不改变原有代码的情况下,扩展已有的功能。本文将详细讲解这个过程,并提供实例演示,帮助读者更好地理解和应用这一技巧。
问题内容
简而言之 - 我希望能够将其底层类型实现特定接口的接口类型转换为该特定接口。
我正在使用插件包来查找一个新函数,它看起来像这样(我还有很多其他相同的函数):
func newdomainprimarykey() any { return domainprimarykey{} }
(这是在运行时生成的,因此我不能仅将其引用为 domainprimarykey)
我的查找和调用如下所示:
plugin, err := plugin.open("my-plugin")
if err != nil {
return err
}
symget, err := plugin.lookup("new" + pluginname)
if err != nil {
return err
}
newgenmodel, ok := symget.(func() any)
if !ok {
return errors.new("unexpected type from module symbol")
}
anygenmodel := newgenmodel()
genmodel, ok := anygenmodel.(genmodel) // **this is where the problem is
if !ok {
return errors.new("unexpected type from module symbol")
}
genmodelinstance := genmodel.get()
在上面,我尝试将“anygenmodel”(一个接口)转换为它实现的“genmodel”接口,但是,这不起作用。
我确信它实现了这个接口,因为当我执行以下操作时,我没有收到任何错误。
type GenModel interface {
Get() any
TableName() string
}
var _ GenModel = (*DomainPrimaryKey)(nil) // this doesn't complain
我该怎么做?我发现这篇文章不是我要找的,但看起来很相似。
提前感谢您对此提供的任何帮助 - 这对我来说已经成为一个真正的障碍。
解决方法
如果底层类型实现这两个接口,则非常简单:
package main
import "fmt"
type IFace1 interface {
DoThis()
}
type IFace2 interface {
DoThat()
}
type impl struct{}
func (i *impl) DoThis() {
fmt.Println("I implement IFace1")
}
func (i *impl) DoThat() {
fmt.Println("I implement IFace2")
}
func GetIFace1() IFace1 {
return &impl{}
}
func main() {
i1 := GetIFace1()
i1.DoThis()
i2 := i1.(IFace2)
i2.DoThat()
}
游乐场
如果您的代码不起作用,那么我首先会质疑您的断言,即 anygenmodel
的底层类型实际上实现了 genmodel
并从那里开始工作。
以上就是如何将接口转换为它实现的另一个接口?的详细内容,更多请关注编程网其它相关文章!