我有以下两个模型:File
和Session
,单个会话可以有多个File对象(一对多)。
type Session struct {
gorm.Model
Name string `json:"name,omitempty"`
IsCurrent bool `json:"is_current"`
Files []File `gorm:"foreignkey:SessionID" json:"files"`
}
type File struct {
gorm.Model
Name string `json:"name"`
FileType string `json:"file_type"`
ParentName string `json:"parent_name"`
SessionID uint `json:"session_id"`
}
我希望获得与IsCurrent = true
我编写了以下原始SQL查询似乎工作正常,但我想知道是否有任何方式以Gorm方式进行类似的查询。
err = db.Raw(" SELECT * FROM files,sessions WHERE files.session_id == sessions.id AND sessions.is_current =?",true).Scan(& fileObjects).Error
答案 0 :(得分:0)
试试这个
db.Where("is_current = ?", true).Model(&session).Related(&session.Files)
答案 1 :(得分:0)
@TonyGW关键是在Gorm调用中使用Preload
和Where
的组合。
currentSession := &Session{}
err := db.Model(&Session{}).Preload("Files").Where(&Session{IsCurrent: true}).Find(¤tSession).Error
if err != nil {
fmt.Println("Error:", err)
}
fmt.Printf("%+v\n", currentSession)
<强> FYI 强>
您可以通过多种方式构建Where
查询。例如,
db.Model(&Session{}).Preload("Files").Where("is_current = ?", true).Find(¤tSession)
并使用地图构建多个Where
条件,
db.Model(&Session{}).Preload("Files").Where(map[string]interface{}{
"is_current": true,
"something_else": "value",
}).Find(¤tSession)
我希望有所帮助!