比如, case int, float64 编译会报错,有没有什么方法能实现这种用法呢?
```
package main
import "fmt"
func do(i interface{}) {
switch v := i.(type) {
case int, float64: // Illegal! Then how?
fmt.Printf("Twice %v is %v\n", v, v*2)
case string:
fmt.Printf("%q is %v bytes long\n", v, len(v))
default:
fmt.Printf("I don't know about type %T!\n", v)
}
}
func main() {
do(21)
do(3.13)
do("hello")
do(true)
}
```
case int, float64, string: // Illegal! Then how?
fmt.Printf("Twice %v is %v\n", v, v*2)
如果这里还加个string类型,那么v应该按照什么类型来编译呢,编译器可能还没做到能识别出v*2是int和float64都支持的操作,也可能是为了语法简单不这么做
#5
更多评论
如果你这里把int和float64分到同一组是出于有相同的算数操作,那么可以考虑把这些操作归类到一个interface,然后将int和float64再自定义类型,`type MyInt int`,`type MyFloat64 float64`, 然后将MyInt和MyFloat64实现这个interface的接口,这样上面就可以统一为 :
case MyInterface:
fmt.Printf("Twice %v is %v\n", v, v.Multiply(2))
#2