美文网首页
GO语言之类型断言

GO语言之类型断言

作者: 小强GO | 来源:发表于2017-02-06 10:57 被阅读0次

    概述

    类型断言在GO中指的就是判断接口型变量运行时的实际类型.例如:

    import (
        "fmt"
    )
    
    type Name struct {
        string
    }
    
    func (name Name) hello() {
        fmt.Println(name.string)
    }
    
    func main() {
        var name interface{} = new(Name)
        //name.hello()  这是错误的
        f := name.(Name)
        f.hello()
    }
    

    上面的例子中,变量f声明是接口类型,实际的类型是Name,此时我们要调用hello方法是不行的,需要类型向下转型,在转型的过程就需要断言所转变量是否是我们需要的类型

    将上面的例子稍作修改

    import (
        "fmt"
    )
    
    type Name struct {
        string
    }
    
    func (name *Name) hello() {
        fmt.Println(name.string)
    }
    
    func main() {
        var name interface{} = new(Name)
        //name.hello()
        f, ok := name.(*Name)
        if ok {
            f.string="zhaozhiang"
            f.hello()
        }
    
    }
    

    如果转换合法,f是 name 转换到类型 T 的值,ok 会是 true;否则 f 是类型 T 的零值,ok 是 false,也没有运行时错误发生。

    注意
    类型断言的变量必须是接口类型的,否则编译器会报错:invalid type assertion: varI.(T) (non-interface type (type of varI) on left)

    类型判断:type-switch

    接口变量的类型也可以使用一种特殊形式的 switch 来检测:type-switch :

    switch t := areaIntf.(type) {
    case *Square:
        fmt.Printf("Type Square %T with value %v\n", t, t)
    case *Circle:
        fmt.Printf("Type Circle %T with value %v\n", t, t)
    case nil:
        fmt.Printf("nil value: nothing to check?\n")
    default:
        fmt.Printf("Unexpected type %T\n", t)
    }
    

    输出:

    Type Square *main.Square with value &{5}
    

    相关文章

      网友评论

          本文标题:GO语言之类型断言

          本文链接:https://www.haomeiwen.com/subject/klpyittx.html