golang其他类型转换成字符串
在golang中,不同类型变量转换成字符串,采用不同的方式,而我们希望在应用逻辑层,开发者不用去关心不同类型如何转换成字符串,在应用层,他们只关心转成字符串,所以有必要封装一个类似php的intval的函数。
在golang中,interface{}允许接纳任意值,int,string,struct,slice等,因此我们可以很简单的将值传递到interface{},此时就需要用到interface特性type assertions和type switches,来将其转换为回原本传入的类型。
//转换成字符串
func Strval(value interface{}) string {
var str string
if value == nil {
return str
}
// vt := value.(type)
switch value.(type) {
case float64:
ft := value.(float64)
str = strconv.FormatFloat(ft, 'f', -1, 64)
case float32:
ft := value.(float32)
str = strconv.FormatFloat(float64(ft), 'f', -1, 64)
case int:
it := value.(int)
str = strconv.Itoa(it)
case uint:
it := value.(uint)
str = strconv.Itoa(int(it))
case int8:
it := value.(int8)
str = strconv.Itoa(int(it))
case uint8:
it := value.(uint8)
str = strconv.Itoa(int(it))
case int16:
it := value.(int16)
str = strconv.Itoa(int(it))
case uint16:
it := value.(uint16)
str = strconv.Itoa(int(it))
case int32:
it := value.(int32)
str = strconv.Itoa(int(it))
case uint32:
it := value.(uint32)
str = strconv.Itoa(int(it))
case int64:
it := value.(int64)
str = strconv.FormatInt(it, 10)
case uint64:
it := value.(uint64)
str = strconv.FormatUint(it, 10)
case string:
str = value.(string)
case []byte:
str = string(value.([]byte))
default:
newValue, _ := json.Marshal(value)
str = string(newValue)
}
return str
}
利用interface{},我们还可以做很多关于类型推断的事情。