```go
package golang
import (
"fmt"
"testing"
)
func valType(v interface{}) {
switch v := v.(type) {
case *int:
fmt.Println("*int", v == nil)
case int:
fmt.Println("int", v)
}
}
func valType2(v interface{}) {
switch v := v.(type) {
case *int, *string:
fmt.Println("*int or *string", v == nil) // 为什么不为nil
case int:
fmt.Println("int", v)
}
}
func TestValType(t *testing.T) {
var v *int
valType(v)
valType2(v)
var s *string
valType2(s)
}
```
case 后面跟多个类型时,只要其中一个类型匹配, 会直接将v赋值给k,类似执行k:=v
```go
switch k := v.(type) {
case *int, *string:
fmt.Println("*int or *string", k == nil)
case int:
fmt.Println("int", k)
}
```
#2
更多评论
#### 输出结果
```shell
*int true
*int or *string false
*int or *string false
```
#1