在Go中是否可以通过编程方式创建结构类型(即不在编译的源代码中)?
我们有一个特殊的用例,其中将通过用户定义的元数据创建类型(因此事先不知道模式/类型) 并会因每个客户而异。然后,我们需要为这些服务自动生成REST服务,并将其保留在NoSQL后端中。 我们还需要为每个字段定义不同的动态验证器(例如,强制性,正则表达式,最大/最小大小,最大/最小值,对另一个类型实例的引用等)
我想知道Go中是否有可能做类似的事情?
编辑1:
例如
从JSON的前端
For customer 1:
{
"id":1,
"patientid":1,
"name":"test1",
"height":"160",
"weight":"70",
"temp":"98"
}
For customer 2:
{
"id":2,
"patientid":1,
"name":"test1",
"height":"160",
"weight":"70"
}
For customer 3
may be different new fields will add
后端
// For One customer need to have these fields
type Vitalsigns struct {
ID int64 `datastore:"-"`
PatientID int64 `json:"patientid,omitempty"`
Name string `json:"name,omitempty"`
Height string `json:"height,omitempty"`
Weight string `json:"weight,omitempty"`
Temp string `json:"temp,omitempty"`
}
// Another need to have these fields
type Vitalsigns struct {
ID int64 `datastore:"-"`
PatientID int64 `json:"patientid,omitempty"`
Name string `json:"name,omitempty"`
Height string `json:"height,omitempty"`
Weight string `json:"weight,omitempty"`
}
//CreateVitalsignsHandler is to create vitals for a patient
func CreateVitalsignsHandler(w http.ResponseWriter, r *http.Request, ps httprouter.Params) {
//Creating the Vitalsigns
kinVitalsigns := &Vitalsigns{}
ctx := appengine.NewContext(r)
if err := json.NewDecoder(r.Body).Decode(kinVitalsigns); err != nil {
RespondErr(w, r, http.StatusInternalServerError, err.Error())
return
}
//Getting namespace
namespace := ps.ByName("namespace")
ctx, err := appengine.Namespace(ctx, namespace)
if err != nil {
log.Infof(ctx, "Namespace error from CreateVitalsignsHandler")
RespondErr(w, r, http.StatusInternalServerError, err.Error())
return
}
//Geting the patientID
pID, err := strconv.Atoi(ps.ByName("id"))
if err != nil {
log.Infof(ctx, "Srting to Int64 conversion error from CreateVitalsignsHandler")
RespondErr(w, r, http.StatusInternalServerError, err.Error())
return
}
patientID := int64(pID)
kinVitalsigns.PatientID = patientID
//Generating the key
vitalsignsKey := datastore.NewIncompleteKey(ctx, "Vitalsigns", nil)
//Inserting the data to the datastore
vk, err := datastore.Put(ctx, vitalsignsKey, kinVitalsigns)
if err != nil {
log.Infof(ctx, "Entity creation was failed from CreateVitalsignsHandler")
RespondErr(w, r, http.StatusInternalServerError, err.Error())
return
}
kinVitalsigns.ID = vk.IntID()
message := "Vitalsigns created successfully!! "
Respond(w, r, http.StatusOK, SuccessResponse{kinVitalsigns.ID, 0, "", message})
return
}
答案 0 :(得分:8)
编辑:您的编辑显示您要处理要放置/从Google数据存储中检索的动态对象。为此,完全不需要在运行时创建结构类型,您可以只使用此答案中提供的动态映射:How can I have dynamic properties in go on the google app engine datastore。
原始答案如下。
请注意,如果类型在编译时是已知的,则最好/最有效的方法是创建类型并对其进行编译,因此所有内容均为“静态”。您可以手动创建类型,也可以使用go generate
自动执行该过程。
还请注意,您不一定需要使用结构类型来为动态对象建模,很多时候映射就足够了。
如果类型在编译时未知,并且必须是struct类型,请继续阅读。
是的,可以使用Go的反射(特别是使用reflect.StructOf()
函数)在运行时创建“动态”结构类型。
让我们看一个简单的示例,在运行时创建一个具有Name string
和Age int
字段的结构类型:
t := reflect.StructOf([]reflect.StructField{
{
Name: "Name",
Type: reflect.TypeOf(""), // string
},
{
Name: "Age",
Type: reflect.TypeOf(0), // int
},
})
fmt.Println(t)
v := reflect.New(t)
fmt.Printf("%+v\n", v)
v.Elem().FieldByName("Name").Set(reflect.ValueOf("Bob"))
v.Elem().FieldByName("Age").Set(reflect.ValueOf(12))
fmt.Printf("%+v\n", v)
这将输出(在Go Playground上尝试):
struct { Name string; Age int }
&{Name: Age:0}
&{Name:Bob Age:12}
如果要定义验证规则,则可以为此使用第三方库,例如github.com/go-validator/validator
。该软件包使用struct tags来指定验证规则,也可以使用反射来指定struct标签。
例如,如果您要指定Name
至少应包含3个字符且最多40个字符,并且它只能包含英文字母,并且Age
的有效范围为6..100
(包括两端),如下所示:
t := reflect.StructOf([]reflect.StructField{
{
Name: "Name",
Type: reflect.TypeOf(""), // string
Tag: reflect.StructTag(`validate:"min=3,max=40,regexp=^[a-zA-Z]*$"`),
},
{
Name: "Age",
Type: reflect.TypeOf(0), // int
Tag: reflect.StructTag(`validate:"min=6,max=100"`),
},
})
打印此类型将输出(由我包装)(在Go Playground上尝试):
struct { Name string "validate:\"min=3,max=40,regexp=^[a-zA-Z]*$\"";
Age int "validate:\"min=6,max=100\"" }
一旦创建了该结构的实例,就可以使用validator.Validate()
函数对其进行验证,例如:
v := reflect.New(t)
v.Elem().FieldByName("Name").Set(reflect.ValueOf("Bob"))
v.Elem().FieldByName("Age").Set(reflect.ValueOf(12))
if errs := validator.Validate(v.Elem().Interface()); errs != nil {
// values not valid, deal with errors here
}