我正在使用fmt.Sscan
将字符串转换为任何类型,这是我正在做的事情:
package main
import (
"fmt"
"reflect"
)
func test() interface{} {
return 0
}
func main() {
a := test() // this could be any type
v := "10" // this could be anything
fmt.Println(reflect.TypeOf(a), reflect.TypeOf(&a))
_, err := fmt.Sscan(v, &a)
fmt.Println(err)
}
此代码失败,因为Sscan
不接受接口作为第二个值:can't scan type: *interface {}
。 demo
我最奇怪的是第一张照片打印出来:int *interface {}
,是整数还是接口?
如何将a
断言为正确的类型(可以是任何原始类型)?是否有不包含巨大的switch语句的解决方案?
谢谢。
答案 0 :(得分:1)
以下是将字符串转换为fmt
包支持的任何类型的值的方法:
// convert converts s to the type of argument t and returns a value of that type.
func convert(s string, t interface{}) (interface{}, error) {
// Create pointer to value of the target type
v := reflect.New(reflect.TypeOf(t))
// Scan to the value by passing the pointer SScan
_, err := fmt.Sscan(s, v.Interface())
// Dereference the pointer and return the value.
return v.Elem().Interface(), err
}
这样称呼它:
a := test()
a, err := convert("10", a)
fmt.Println(a, err)