在golang中,反射是通过reflect包来实现的。通过reflect包可以获取一个interface{}变量的具体类型及值
1、reflect.Type和reflect.Value
interface{}类型变量的具体类型可以通过reflect.Tpye表示,值使用reflect.Value表示
reflect.Type和reflect.Value分别提供reflect.TypeOf()和reflect.ValueOf()来获取interface{}的具体类型和具体值
// 示例
func main() {
var goods = struct {
goodsId int
goodsName string
}{
goodsId: 100, goodsName: "雅诗兰黛小棕瓶",
}
// 获取类型
t := reflect.TypeOf(goods)
// 获取值
v := reflect.ValueOf(goods)
fmt.Println("Type:", t)
fmt.Println("Value:", v)
}
// 输出
Type: struct { goodsId int; goodsName string }
Value: {100 雅诗兰黛小棕瓶}
2、reflect.Kind
数据类型可以有无限种,不同的类型可以通过reflect.Kind归纳为特定类别
// A Kind represents the specific kind of type that a Type represents.
// The zero Kind is not a valid kind.
type Kind uint
const (
Invalid Kind = iota
Bool
Int
Int8
Int16
Int32
Int64
Uint
Uint8
Uint16
Uint32
Uint64
Uintptr
Float32
Float64
Complex64
Complex128
Array
Chan
Func
Interface
Map
Ptr
Slice
String
Struct
UnsafePointer
)
// 示例
func main() {
var goods = struct {
goodsId int
goodsName string
}{
goodsId: 100, goodsName: "雅诗兰黛小棕瓶",
}
// 获取类型
t := reflect.TypeOf(goods)
k := t.Kind()
fmt.Println("Type:", t)
fmt.Println("Kind:", k)
}
// 输出
Type: struct { goodsId int; goodsName string }
Kind: struct
3、NumField() 和Field()
NumField()获取struct所有的fields,Field(i int)获取指定第i个field的reflect.Value
// 示例
func main() {
var u = struct {
Name string `json:"name"`
Age int64 `json:"age"`
Sex string `json:"sex"`
}{"张三", 25, "男"}
v := reflect.ValueOf(u)
var n = v.NumField()
fmt.Println("Number of fields", n)
for i := 0; i < n; i++ {
fmt.Println(v.Field(i))
}
fmt.Println()
var i = 100
fmt.Println(reflect.ValueOf(i).Int())
var s = "hello world"
fmt.Println(reflect.ValueOf(s).String())
fmt.Println()
var t = reflect.TypeOf(u)
fmt.Println(t.Field(0).Name)
fmt.Println(t.Field(0).Tag.Get("json"))
}
// 输出
Number of fields 3
张三
25
男
100
hello world
Name
name
4、通过reflect.Value修改值
// 示例
func main() {
// 方式一
x := 1
d := reflect.ValueOf(&x).Elem()
// 修改前
fmt.Println(x)
px := d.Addr().Interface().(*int)
*px = 2
// 修改后
fmt.Println(x)
// 方式二
// Set方法将在运行时执行和编译时类似的可赋值性约束的检查
d.Set(reflect.ValueOf(3))
fmt.Println(x)
// 方式三
d.SetInt(4)
fmt.Println(x)
}
// 输出
1
2
3
4