当前位置: 首页 > 工具软件 > Go Switch > 使用案例 >

Go 语言中 switch 类型断言用法

唐威
2023-12-01

Author mogd 2022-05-09
Update mogd 2022-05-09
Adage Don't live in the past.

Go 语言中 switch 类型断言的用法

Go 语言官方有推荐的编码规范,在这里记录一次编码中 switch 进行类型断言判断的标准用法

使用类型断言的建议是复用结果,而不是直接使用

原因

在一次编码中,vscode 出现一个黄色的警告 (不必要的类型断言):

assigning the result of this type assertion to a variable (switch docs := docs.(type)) could eliminate type assertions in switch cases

修改方法很简单,就是将类型断言的结果赋值给变量,而不是直接使用,否则可能触发 panic

错误例子

switch docs.(type) {
case []interface{}:
    // Triggers a panic as "docs" doesn't hold
    // concrete type "interface" but "[]interface"
    fmt.Println(x.([]interface{}))
}

推荐语法

不要在 switch 语句中每次都使用类型断言,而是将类型断言的结果分配给变量并使用
类型断言提供对接口底层具体值访问
如果不将类型断言结果分配给变量,可能会触发 panic

switch docs := docs.(type) {
case []interface{}:
    // Triggers a panic as "docs" doesn't hold
    // concrete type "interface" but "[]interface"
    fmt.Println(docs)
}
 类似资料: