你能用接口捕获“支持+、-*和/的类型”吗?或者,如果您想对所有数字类型创建函数,您是否只需要使用类型开关?
问问题
140 次
2 回答
3
接口定义了类型实现的一组方法。在 Go 中,基本类型没有方法。他们唯一满足的接口是空接口,interface{}
.
如果您希望处理所有数字类型,您可以使用反射和类型开关的组合。如果您只使用类型开关,您将有更多的代码,但它应该更快。如果您使用反射,它会很慢,但需要的代码要少得多。
请记住,在 Go 中,您通常不会尝试使函数适用于所有数字类型。很少需要。
类型开关示例:
func square(num interface{}) interface{} {
switch x := num.(type) {
case int:
return x*x
case uint:
return x*x
case float32:
return x*x
// many more numeric types to enumerate
default:
panic("square(): unsupported type " + reflect.TypeOf(num).Name())
}
}
Reflect + Typeswitch 示例:
func square(num interface{}) interface{} {
v := reflect.ValueOf(num)
ret := reflect.Indirect(reflect.New(v.Type()))
switch v.Type().Kind() {
case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
x := v.Int()
ret.SetInt(x * x)
case reflect.Uint, reflect.Uintptr, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64:
x := v.Uint()
ret.SetUint(x * x)
case reflect.Float32, reflect.Float64:
x := v.Float()
ret.SetFloat(x * x)
default:
panic("square(): unsupported type " + v.Type().Name())
}
return ret.Interface()
}
于 2012-12-26T14:58:35.973 回答
1
预声明的类型没有附加任何方法。
算术运算符可以声明为某个接口的方法集,但只能声明为例如。方法“添加”、“子”等,即。没有办法重新定义多态 '+', '-', ... 运算符的作用。
于 2012-12-26T15:15:22.203 回答