反射reflection

反射可大大提高程序的灵活性,使得interface{}有更大的发挥余地
反射使用typeOf和valueOf函数从接口中获取目标对象信息
Go反射reflection - 图1

反射会将匿名字段作为独立字段(匿名字段本质)
Go反射reflection - 图2

想要利用反射修改对象状态,前提是interface.data是settabele,即pointer-interface
基本数据类型:
Go反射reflection - 图3

复杂数据类型:

  1. package main
  2. import (
  3. "fmt"
  4. "reflect"
  5. )
  6. type User struct {
  7. Id int
  8. Name string
  9. Age int
  10. }
  11. func main() {
  12. u := User{1, "LJ", 19}
  13. Set(&u)
  14. fmt.Println(u)
  15. }
  16. func Set(o interface{}) {
  17. v := reflect.ValueOf(o)
  18. if v.Kind() != reflect.Ptr || !v.Elem().CanSet() { //指针 是否可设置判断
  19. fmt.Println("XXX")
  20. return
  21. } else {
  22. v = v.Elem()
  23. }
  24. f := v.FieldByName("Name") //通过字段名获取字段
  25. if !f.IsValid() { //字段是否存在判断
  26. fmt.Println("BAD")
  27. return
  28. }
  29. if f.Kind() == reflect.String { //类型判断
  30. f.SetString("BYEBYE")
  31. }
  32. }

通过反射可以“动态”调用方法

  1. package main
  2. import (
  3. "fmt"
  4. "reflect"
  5. )
  6. type User struct {
  7. Id int
  8. Name string
  9. Age int
  10. }
  11. func (u User) Hello(name string) {
  12. fmt.Println("Hello", name, "my name is", u.Name)
  13. }
  14. func main() {
  15. u := User{1, "LJ", 19}
  16. v := reflect.ValueOf(u)
  17. mv := v.MethodByName("Hello") //根据名称获取方法
  18. args := []reflect.Value{reflect.ValueOf("joe")} //参数
  19. mv.Call(args) //调用
  20. }

Go反射reflection - 图4