用golang通用处理CRUD操作

时间:2019-01-07 14:01:06

标签: go go-gorm

我正在尝试创建视图,以处理gorm模型上的所有基本CRUD操作。 目标是将模型传递到视图,并让所有魔术发生。

我找到了有关使用反射的主题,所以我做到了,但也读到不是“ golang方式”。

我要解决的第一个问题是总是使用“值”表的gorm。因此,为此的临时解决方案是强制使用CommonView

中的“用户”表或表名
package controllers

import (
    "encoding/json"
    "fmt"
    "github.com/jinzhu/gorm"
    "net/http"
    "reflect"
)

type CommonView struct {
    db        *gorm.DB
    modelType reflect.Type
    model     interface{}
    tableName string
}

func NewCommonView(db *gorm.DB, model interface{}, tableName string) *CommonView {
    return &CommonView{
        db:        db,
        modelType: reflect.TypeOf(model),
        model:     model,
        tableName: tableName,
    }
}

func (cv *CommonView) HandleList(w http.ResponseWriter, r *http.Request) {
    modelSliceReflect := reflect.SliceOf(cv.modelType)
    models := reflect.MakeSlice(modelSliceReflect, 0, 10)

    fmt.Println(modelSliceReflect)
    fmt.Println(models)

    //modelsDirect := reflect.MakeSlice(reflect.TypeOf(cv.model), 0, 0)
    cv.db.Table("users").Find(&models)

    fmt.Println("From db: ")
    fmt.Println(models)

    modelType := reflect.TypeOf(modelSliceReflect)
    fmt.Println("Type name: " + modelType.String())


    modelsJson, _ := json.Marshal(models)

    fmt.Fprint(w, string(modelsJson))
}

型号:     包装型号

import "golang.org/x/crypto/bcrypt"

type User struct {
    Id        string `json:"id" gorm:"type:uuid;primary_key;default:uuid_generate_v4()"`
    FirstName string `json:"firstName"`
    LastName  string `json:"lastName"`
    Email     string `json:"email" gorm:"unique;not null"`
    Password  string `json:"-"`
}

func (User) TableName() string {
    return "user"
}

Gorm在DB中查找行(从gorm日志中知道)。但是json不会转储它们-猜测它的类型错误并且无法处理。 有什么想法如何解决这个问题吗?

如果您还有其他解决方案来解决CRUD视图问题,我也将不胜感激。

1 个答案:

答案 0 :(得分:1)

问题源于json包处理reflect.Value的情况与预期不符。您可以在这里找到类似的讨论:https://github.com/golang/go/issues/7846

如下面的代码片段所示,reflect.MakeSlice返回类型Value,而不是切片。

slice_empty_reflect_make := reflect.MakeSlice(
                                    reflect.SliceOf(
                                            reflect.TypeOf(5)),
                                    10, 10)

fmt.Printf("Type of reflect.MakeSlice(): %s\n",
           reflect.TypeOf(slice_empty_reflect_make).Name())

这将产生:

Type of reflect.MakeSlice(): Value

当您将json marshaller中的Value输入时,它将返回一个对象,而不是一个数组:

Json: {}
Error: <nil>

您需要使用Value回到.Interface()的界面:

jsonBytes, err := json.Marshal(slice_empty_reflect_make.Interface())

这是伪装成How do I serialize a map of type [string]reflect.Value?

的副本