我有以下结构,并且需要某些字段为空,所以我使用指针,主要是处理sql空值
type Chicken struct{ Id int //Not nullable Name *string //can be null AvgMonthlyEggs *float32 //can be null BirthDate *time.Time //can be null }
所以当我执行以下操作时,我可以看到json结果中的值类型可以为null
stringValue:="xx" chicken := &Chicken{1,&stringValue,nil,nil} chickenJson,_ := json.Marshal(&chicken) fmt.Println(string(chickenJson))
但是当我尝试使用反射完成所有操作时
var chickenPtr *Chicken itemTyp := reflect.TypeOf(chickenPtr).Elem() item := reflect.New(itemTyp) item.Elem().FieldByName("Id").SetInt(1) //the problem is here not sure how to set the pointer to the field item.Elem().FieldByName("Name").Set(&stringValue) //Error caused by this line itemJson,_ := json.Marshal(item.Interface()) fmt.Println(string(itemJson))
我从反射部分得到的是以下错误
cannot use &stringValue (type *string) as type reflect.Value in argument to item.Elem().FieldByName("Name").Set
我究竟做错了什么?
这是一个GoPlay http://play.golang.org/p/0xt45uHoUn
Reflection.Value.Set仅接受reflect.Value作为参数。reflect.ValueOf在您的stringValue上使用:
reflect.Value
reflect.ValueOf
item.Elem().FieldByName("Name").Set(reflect.ValueOf(&stringValue))
游乐场:http : //play.golang.org/p/DNxsbCsKZA。