检查值是否实现接口的说明

我已经阅读了“Effective Go”和其他类似这样的问答:golang interface compliance compile type check,但我仍然无法正确理解如何使用这种技术。


请看例子:


type Somether interface {

    Method() bool

}


type MyType string


func (mt MyType) Method2() bool {

    return true

}


func main() {

    val := MyType("hello")


    //here I want to get bool if my value implements Somether

    _, ok := val.(Somether)

    //but val must be interface, hm..what if I want explicit type?


    //yes, here is another method:

    var _ Iface = (*MyType)(nil)

    //but it throws compile error

    //it would be great if someone explain the notation above, looks weird

}

如果它实现了一个接口,是否有任何简单的方法(例如不使用反射)检查值?


慕容森
浏览 142回答 3
3回答

临摹微笑

如果您不知道值的类型,则只需检查值是否实现了接口。如果类型已知,则该检查由编译器自动完成。如果你真的想检查一下,你可以用你给出的第二种方法来做:var _ Somether = (*MyType)(nil)这会在编译时出错:prog.go:23: cannot use (*MyType)(nil) (type *MyType) as type Somether in assignment:    *MyType does not implement Somether (missing Method method) [process exited with non-zero status]您在这里所做的是将MyType类型(和nil值)的指针分配给类型的变量Somether,但由于变量名称是_它被忽略。如果MyType实现Somether,它将编译并且什么都不做

繁星coding

以下将起作用:val:=MyType("hello")var i interface{}=valv, ok:=i.(Somether)

白板的微信

也可以通过以下方式使用Implements(u Type) bool方法reflect.Type:package mainimport (    "reflect")type Somether interface {    Method() bool}type MyType stringfunc (mt MyType) Method() bool {    return true}func main() {    inter := reflect.TypeOf((*Somether)(nil)).Elem()    if reflect.TypeOf(MyType("")).Implements(inter) {        print("implements")    } else {        print("doesn't")    }}您可以在文档中阅读更多相关内容。
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Go