通过反射修改结构体的变量
# 7. 通过反射修改结构体的变量
package main
import (
"fmt"
"reflect"
)
// 定义一个结构体:
type Student4 struct {
Name string
Age int
}
// 给结构体绑定方法:
func (s Student4) CPrint() {
fmt.Println("调用了Print()方法")
fmt.Println("学生的名字是:", s.Name)
}
func (s Student4) AGetSum(n1, n2 int) int {
fmt.Println("调用了AGetSum方法")
return n1 + n2
}
func (s Student4) BSet(name string, age int) {
s.Name = name
s.Age = age
}
// 定义函数操作结构体进行反射操作:
func TestStudent4Struct(a interface{}) {
//a转成reflect.Value类型:
val := reflect.ValueOf(a)
fmt.Println(val)
n := val.Elem().NumField()
fmt.Println(n)
//修改字段的值:
val.Elem().Field(0).SetString("张三")
}
func main() {
//定义结构体具体的实例:
s := Student4{
Name: "丽丽",
Age: 18,
}
//调用TestStudent4Struct:
TestStudent4Struct(&s)
fmt.Println(s)
}
/*
&{丽丽 18}
2
{张三 18}
*/
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
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
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
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
编辑 (opens new window)