相反的reflect.TypeOf

时间:2019-05-05 20:02:23

标签: go reflection types type-assertion

我想找回我保存一次的值的类型。我使用了reflect.Typeof()并保存了类型。然后尝试使用开关类型。该类型将始终为“ * reflect.rtype”。我无法通过类型断言来检索。

package main

import (
    "fmt"
    "reflect"
)

func main() {
    var alltypes []interface{}

    alltypes = append(alltypes, reflect.TypeOf(true))
    alltypes = append(alltypes, reflect.TypeOf(0.0))
    alltypes = append(alltypes, reflect.TypeOf(0))
    fmt.Printf("%T\t%q\n", alltypes, alltypes)

    for _, v := range alltypes {
        fmt.Printf("%T\t%q\n", v, v)
        res, ok := v.(bool)
        fmt.Println("res: ", res, " ok: ", ok)
        switch v.(type) {
        default:
            fmt.Printf("unexpected type %T\n", v)
        case bool:
            fmt.Println("bool type!")
        case int:
            fmt.Println("int type!")
        case float64:
            fmt.Println("float64 type!")
        }
    }

}

游乐场:https://play.golang.org/p/kqDo4DPYjra

2 个答案:

答案 0 :(得分:2)

reflect.Type没有type assert可以拥有的价值(实际上可以,但是只能是reflect.Type,而不是您想要的价值)。 reflect.Type只是类型描述符(从值中获得)。

但是,您可以创建由reflect.Type表示的类型的值,并且可以根据您最初想要的值键入值。

要创建新的指针值,请使用reflect.New()。要获取目标值,请使用Value.Elem()。这些都包裹在reflect.Value中。要解开它,请使用Value.Interface()

例如:

for _, v := range alltypes {
    fmt.Printf("%T\t%q\n", v, v)
    value := reflect.New(v.(reflect.Type)).Elem().Interface()
    switch value.(type) {
    default:
        fmt.Printf("unexpected type %T\n", v)
    case bool:
        fmt.Println("bool type!")
    case int:
        fmt.Println("int type!")
    case float64:
        fmt.Println("float64 type!")
    }
}

这将输出(在Go Playground上尝试):

[]interface {}  ["bool" "float64" "int"]
*reflect.rtype  "bool"
bool type!
*reflect.rtype  "float64"
float64 type!
*reflect.rtype  "int"
int type!

如果您不想创建新值,只需测试类型,“保存”您感兴趣的类型的reflect.Type描述符,然后对类型使用常规的switch

var (
    TypeBool    = reflect.TypeOf(true)
    TypeFloat64 = reflect.TypeOf(0.0)
    TypeInt     = reflect.TypeOf(0)
)

func main() {
    var alltypes []interface{}

    alltypes = append(alltypes, reflect.TypeOf(true))
    alltypes = append(alltypes, reflect.TypeOf(0.0))
    alltypes = append(alltypes, reflect.TypeOf(0))
    fmt.Printf("%T\t%q\n", alltypes, alltypes)

    for _, v := range alltypes {
        fmt.Printf("%T\t%q\n", v, v)
        switch v {
        default:
            fmt.Printf("unexpected type %T\n", v)
        case TypeBool:
            fmt.Println("bool type!")
        case TypeInt:
            fmt.Println("int type!")
        case TypeFloat64:
            fmt.Println("float64 type!")
        }
    }
}

这将输出(在Go Playground上尝试):

[]interface {}  ["bool" "float64" "int"]
*reflect.rtype  "bool"
bool type!
*reflect.rtype  "float64"
float64 type!
*reflect.rtype  "int"
int type!

推荐阅读:The Go Blog: The Laws of Reflection

答案 1 :(得分:1)

根据您要执行的操作,不一定需要使用类型断言来执行该操作。 v.(reflect.Type).Kind()会告诉您它是哪种类型(例如reflect.Boolreflect.Float64reflect.Int等)。