一对多关联

One-to-many association

我在 GORM 中遇到一对多关联的问题。 我有这两个结构,我想得到一个病人的完整病史。这是我的示例代码:

type Patient struct {
    gorm.Model
    Prenom     string       `json:"prenom" gorm:"column:patient_prenom"`
    Nom        string       `json:"nom" gorm:"column:patient_nom"`
    Genre      string       `json:"genre" gorm:"column:patient_genre"`
    Naissance  string       `json:"naissance" gorm:"column:patient_naissance"`
    Historique []Historique `gorm:"ForeignKey:Fk_patient_id"`
}
type Historique struct {
    Fk_patient_id        string
    Date_consultation    string
    Fk_maladie_id        uint
    Fk_compte_medecin_id uint
    Patient              Patient
}

func GetPatientWithDiseases(id uint) (*Patient, error) {
    patient := &Patient{}
    //The line right there works so i can retrieve without the history
    //err := GetDB().Find(patient, id).Error
    db := GetDB().Preload("tt_historique").Find(patient)
    err := db.Error

    if err != nil {
        return nil, err
    }
    return patient, nil
}

其中“Historique”使用患者的外键 (Fk_patient_id),而 Historique []Historique 是查询后应该在 Patient 结构中结束的每个 Historique 的列表。

但是我得到了这个错误 can't preload field tt_historique for models.Patient。我尝试了多种语法,这些语法是我在 Internet 上找到的结构中的 gorm 规范,但没有任何效果。我只使用 GO 开发了 3 天,而 GORM 是我的第一个 ORM,所以也许我遗漏了一些非常明显的东西。

基于 tt_historique 是您的 table 姓名的假设,您需要注意一些事项。

通过convention,go-gorm 在构造SQL 查询时使用复数形式的snake case 结构名称作为数据库tables。在您的情况下,要预加载 Historique []Historique 字段,它将查找 historiques table.

要覆盖它,您需要实现 Tabler 接口:

type Patient struct {
    gorm.Model
    Prenom     string       `json:"prenom" gorm:"column:patient_prenom"`
    Nom        string       `json:"nom" gorm:"column:patient_nom"`
    Genre      string       `json:"genre" gorm:"column:patient_genre"`
    Naissance  string       `json:"naissance" gorm:"column:patient_naissance"`
    Historique []Historique `gorm:"foreignKey:Fk_patient_id"`
}
type Historique struct {
    Fk_patient_id        string
    Date_consultation    string
    Fk_maladie_id        uint
    Fk_compte_medecin_id uint
    Patient              Patient
}

func (Historique) TableName() string {
  return "tt_historique"
}

那么,您的查询将如下所示:

db := GetDB().Preload("Historique").Find(patient)