英文:
Go convert reflect.Value from string to int
问题
我遇到了这样的错误:
reflect.Value.Convert: 无法将类型为 string 的值转换为类型 int
goroutine 6
当我运行以下代码时:
param := "1" // 类型为 string
ps := fn.In(i) // 类型为 int
if !reflect.TypeOf(param).ConvertibleTo(ps) {
fmt.Print("无法转换参数。\n") // 这行代码被打印出来
}
convertedParam := reflect.ValueOf(param).Convert(ps)
有没有办法在不创建 switch/case 和多行代码的情况下完成这个操作?我只是想找到最简单/最好的方法来做到这一点。
英文:
I am getting an error like this
reflect.Value.Convert: value of type string cannot be converted to type int
goroutine 6
When I am running this code
param := "1" // type string
ps := fn.In(i) // type int
if !reflect.TypeOf(param).ConvertibleTo(ps) {
fmt.Print("Could not convert parameter.\n") // this is printed
}
convertedParam := reflect.ValueOf(param).Convert(ps)
Can I do this in some way without creating a switch/case and multiple lines of code for converting to each type?
I am just looking for the easiest/best way to do this.
答案1
得分: 3
有关type conversion有特定的规则。字符串不能转换为数值。
使用strconv
包从字符串中读取数值。
英文:
There are specific rules for type conversion. Strings cannot be converted to numeric values.
Use the strconv
package to read a numeric value from a string.
答案2
得分: 0
你可以在循环中使用switch语句通过反射值来返回reflect.Value kind(),以返回该值的确切类型。
v := reflect.ValueOf(s interface{})
for t := 0; i < v.NumField(); i++ {
fmt.Println(v.Field(i)) // 打印接口中索引处的值
switch t := v.Kind() {
case bool:
fmt.Printf("布尔类型 %t\n", t) // t 的类型为 bool
case int:
fmt.Printf("整数类型 %d\n", t) // t 的类型为 int
case *bool:
fmt.Printf("指向布尔类型的指针 %t\n", *t) // t 的类型为 *bool
case *int:
fmt.Printf("指向整数类型的指针 %d\n", *t) // t 的类型为 *int
default:
fmt.Printf("未知类型 %T\n", t) // %T 打印 t 的类型
}
}
要将接口中的类型转换为另一种类型,首先将其值提取到一个变量中,然后使用类型转换将该值转换为所需类型。
英文:
You can use switch in loop through the reflect values which will return the reflect.Value kind() to return the exact type of that value
v := reflect.ValueOf(s interface{})
for t := 0; i < v.NumField(); i++ {
fmt.Println(v.Field(i)) // it will prints the value at index in interface
switch t := v.Kind() {
case bool:
fmt.Printf("boolean %t\n", t) // t has type bool
case int:
fmt.Printf("integer %d\n", t) // t has type int
case *bool:
fmt.Printf("pointer to boolean %t\n", *t) // t has type *bool
case *int:
fmt.Printf("pointer to integer %d\n", *t) // t has type *int
default:
fmt.Printf("unexpected type %T\n", t) // %T prints whatever type t has
}
}
To convert a type in interface to another type first fetch the value of it in a variable and then use type conversions to convert the value
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论