Go reflection

反射

反射可以提高程序的灵活性,使得 interface() 有更大的发挥余地,反射使用 TypeOf 和 ValueOf 函数从接口中获取目标对象信息,将匿名字段作为独立字段。

修改对象状态的前提是 interface.data 是 settable , 即 pointer-interface

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

例子

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
type User struct {
Id int
Name string
Age int
}

func (u User) Hello() {
fmt.Println("Hello,", u.Name)
}

func Info(o interface{}) {
t := reflect.TypeOf(o)
fmt.Println("Type:", t.Name())

v := reflect.ValueOf(o)
fmt.Println("Fields")
for i := 0; i < t.NumField(); i++ {
f := t.Field(i)
val := v.Field(i).Interface()
fmt.Printf("%6s: %v = %v", f.Name, f.Type, val)
}

for i := 0; i < t.NumMethod(); i++ {
m := t.Method(i)
fmt.Printf("%6s: %v\n", m.Name, m.Type)
}
}

func main() {
u := User{1, "OK", 12}
Info(u)
}

输出

1
2
3
Type: User
Fields
Id: int = 1 Name: string = OK Age: int = 12 Hello: func(main.User)

如果传递是地址

1
2
- Info(u)
+ Info(&u)

输出

1
2
3
panic: reflect: NumField of non-struct type *main.User
goroutine 1 [running]:
reflect.(*rtype).NumField(0x10bcfa0, 0xc0000d2008)

加入判断

1
2
3
4
5
6
7
8
9
10
func Info(o interface{}) {
t := reflect.TypeOf(o)
fmt.Println("Type:", t.Name())

+ if k := t.Kind(); k != reflect.Struct{
+ fmt.Printf("传递参数不匹配")
+ return
+ }
.....
}

匿名

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
type User struct {
Id int
Name string
Age int
}

type Manager struct {
User
title string
}


func main() {
m := Manager{User{1, "OK", 12}, "123"}
t := reflect.TypeOf(m)
fmt.Printf("%#v\n", t.Field(1))
}

取匿名属性中的字段

1
2
3
4
5
func main() {
m := Manager{User{1, "OK", 12}, "123"}
t := reflect.TypeOf(m)
fmt.Printf("%#v\n", t.FieldByIndex([]int{0, 0}))
}

settable

1
2
3
4
x := 123
v := reflect.ValueOf(&x)
v.Elem().SetInt(999)
fmt.Println(x)

通过反射修改属性值

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
func Set(o interface{}) {
v := reflect.ValueOf(o)

if v.Kind() == reflect.Ptr && !v.Elem().CanSet() {
fmt.Println("error")
return
}

v = v.Elem()
if f := v.FieldByName("Name"); f.Kind() == reflect.String {
f.SetString("New Name")
}
}

func main() {
u := User{1, "OK", 12}
fmt.Println(u)
Set(&u)
fmt.Println(u)
}

输出

1
2
{1 OK 12}
{1 New Name 12}

判断是否有该属性

1
2
3
4
if !f.IsValid() {
fmt.Println("not fund")
return
}

反射调用方法

1
2
3
4
5
6
7
8
9
10
11
12
13
func (u User) HelloSomeone(name string) {
fmt.Println("Hello", name, ", my name is ", u.Name)
}

func main() {
u := User{1, "OK", 12}
u.HelloSomeone("Jack")

v := reflect.ValueOf(u)
mv := v.MethodByName("HelloSomeone")
args := []reflect.Value{reflect.ValueOf("Bob")}
mv.Call(args)
}
- the End -
0%