使用反射确定类型是否为字符串

时间:2018-12-20 02:54:56

标签: go go-reflect

关于如何在运行时确定对象类型的一些现有答案。上帝帮助我们

if reflect.TypeOf(err) ==  string {

}

无法编译

if reflect.TypeOf(err) ==  "string" {

}

既不这样做,也不这样做:

if reflect.TypeOf(err).Kind() ==  "string" {

}

我们如何做到这一点?

如果我使用答案之一给出的typeof函数,则会得到:

enter image description here

2 个答案:

答案 0 :(得分:4)

比较字符串

if reflect.TypeOf(err).String() == "string" {
    fmt.Println("hello")
}

或使用type assertions

type F = func()

func typeof(v interface{}) string {
    switch v.(type) {
    case int:
        return "int"
    case string:
        return "string"
    case F:
        return "F"
    //... etc
    default:
        return "unknown"
    }
}

然后

var f F
if typeof(f) == "F"{
    fmt.Println("hello F")
}

答案 1 :(得分:1)

要使用反射来比较类型,请比较反射。类型值:

var stringType = reflect.TypeOf("") // this can be declared at package-level

if reflect.TypeOf(v) == stringType {
    // v has type string
}

使用任意类型名称X,您可以使用以下类型构造类型:

var xType = reflect.TypeOf((*X)(nil)).Elem()

if reflect.TypeOf(v) == xType {
    // v has type X
}

如果要检查值是否为某种类型,请使用type assertion

if _, ok := v.(string); ok {
   // v is a string
}

如果要将类型映射为字符串,请使用以reflect.Type为键的映射。

var typeName = map[reflect.Type]string{
    reflect.TypeOf((*int)(nil)).Elem():    "int",
    reflect.TypeOf((*string)(nil)).Elem(): "string",
    reflect.TypeOf((*F)(nil)).Elem():      "F",
}

...

if n, ok := typeName[reflect.TypeOf(f)]; ok {
    fmt.Println(n)
} else {
    fmt.Println("other")
}