type Client struct {
Id int
Age int
PrimaryContact Contact
Name string
}
type Contact struct {
Id int
ClientId int
IsPrimary bool
Email string
}
以上是示例代码;我想要实现的目标如下: - 使用反射遍历所有Client结构字段 - 对于每个"原语"字段使用反射设置默认值 - 对于每个struct字段,使用递归来应用上述步骤
问题在于,当我们对OrthContact字段进行内省时,当我尝试为其任何字段设置值时,我最终会遇到以下恐慌:
reflect.Value.Set使用无法寻址的值
如果我没有弄错的原因是PrimaryContact是按值而不是通过引用传递的,所以当我在其任何字段上调用Set方法时,它将更改副本上的字段值而不是实际参数。我怎样才能克服这个问题?我如何通过引用使用反射将PrimaryContact字段传递给我的方法?
答案 0 :(得分:3)
我认为练习反思是一种有趣的练习。
但有两点:
Value.Addr()
工作解决方案:
package main
import (
"fmt"
"reflect"
"errors"
)
type Client struct {
Id int
Age int
PrimaryContact Contact
Name string
}
type Contact struct {
Id int
ClientId int
IsPrimary bool
Email string
}
func SetDefault(s interface{}) error {
return setDefaultValue(reflect.ValueOf(s))
}
func setDefaultValue(v reflect.Value) error {
if v.Kind() != reflect.Ptr {
return errors.New("Not a pointer value")
}
v = reflect.Indirect(v)
switch v.Kind() {
case reflect.Int:
v.SetInt(42)
case reflect.String:
v.SetString("Foo")
case reflect.Bool:
v.SetBool(true)
case reflect.Struct:
// Iterate over the struct fields
for i := 0; i < v.NumField(); i++ {
err := setDefaultValue(v.Field(i).Addr())
if err != nil {
return err
}
}
default:
return errors.New("Unsupported kind: " + v.Kind().String())
}
return nil
}
func main() {
a := Client{}
err := SetDefault(&a)
if err != nil {
fmt.Println("Error: ", err)
} else {
fmt.Printf("%+v\n", a)
}
}
<强>输出:强>
{Id:42 Age:42 PrimaryContact:{Id:42 ClientId:42 IsPrimary:true Email:Foo} Name:Foo}
答案 1 :(得分:0)
我认为您只需要使用value.Addr(),它会为您提供联系人的参考。 Full example is here
func main() {
x := Client{PrimaryContact:Contact{}}
v := reflect.ValueOf(&x)
fmt.Println("v type:", v.Type(), ", kind:", v.Kind())
f := v.Elem().FieldByName("PrimaryContact")
fmt.Println("f type:", f.Type(), ", kind:", f.Kind())
p := f.Addr()
fmt.Println("p type:", p.Type(), ", kind:", p.Kind())
p.Elem().FieldByName("Id").SetInt(1)
fmt.Println("Contact Id:", x.PrimaryContact.Id)
}`
输出:
v type: *main.Client , kind: ptr
f type: main.Contact , kind: struct
p type: *main.Contact , kind: ptr
Contact Id: 1