递归地查找结构字段

时间:2016-07-16 00:01:24

标签: go

如果我有这样的结构:

var Foo struct {
    Bar struct {
        blah *bool
    }
}

我将结构发送到一个以接口作为参数的函数,是否有一种简单的方法可以使用反射来查找字段" blah"按名称使用inVal.FieldByName("blah")

1 个答案:

答案 0 :(得分:1)

这是一种方法:

func findField(v interface{}, name string) reflect.Value {
  // create queue of values to search. Start with the function arg.
  queue := []reflect.Value{reflect.ValueOf(v)}
  for len(queue) > 0 {
    v := queue[0]
    queue = queue[1:]
    // dereference pointers
    for v.Kind() == reflect.Ptr {
        v = v.Elem()
    }
    // ignore if this is not a struct
    if v.Kind() != reflect.Struct {
        continue
    }
    // iterate through fields looking for match on name
    t := v.Type()
    for i := 0; i < v.NumField(); i++ {
        if t.Field(i).Name == name {
            // found it!
            return v.Field(i)
        }
        // push field to queue
        queue = append(queue, v.Field(i))
    }
  }
  return reflect.Value{}
}

playground example