如何转换子查询以加入 gorm?
How can I transform a subquery to join in gorm?
我正在使用 GORM,并且我有这些模型:
type User struct {
ID uint
UUID uuid.UUID
Email string
}
type Profile struct {
ID uint
UUID uuid.UUID
Domain string
UserID uuid.UUID
User User `gorm:"references:UUID"`
}
现在我想找到所有具有域配置文件的用户,例如example.com
.
我已经尝试了一些“加入”查询,但没有成功。但是我设法通过使用子查询让它工作:
var users []users
DB.Where(
"uuid IN (?)",
DB.Select("user_id").Where("domain = ?", "example.com").Table("profiles")
).Find(&users)
但我认为这不是一种非常优雅的方式。我认为加入会更直接。如何将此子查询转换为连接查询?
谢谢!
试试这个
DB.Select("u.*").Table("users u").Joins("INNER JOIN profiles p on p.user_id = u.uuid").Where("p.domain = ?", "example.com").Find(&users)
这将导致:
SELECT u.* FROM users u INNER JOIN profiles p on p.user_id = u.uuid WHERE p.domain = "example.com"
如果你更喜欢使用 gorm 内置功能而不是原始查询连接,你可以试试这个:
profile := &Profile{Domain: "example.com"}
user := &User{}
db.Select("User.*").Joins("User").Model(&Profile{}).Where(profile).Find(&user)
如果我们使用gorm这样的调试模式:
db.Debug().Select("User.*").Joins("User").Model(&Profile{}).Where(profile).Find(&user)
SQL查询日志会是这样的:
SELECT User.*,`User`.`id` AS `User__id`,`User`.`uuid` AS `User__uuid`,`User`.`email` AS `User__email` FROM `profiles` LEFT JOIN `users` `User` ON `profiles`.`user_id` = `User`.`uuid` WHERE `profiles`.`domain` = 'example.com'
我正在使用 GORM,并且我有这些模型:
type User struct {
ID uint
UUID uuid.UUID
Email string
}
type Profile struct {
ID uint
UUID uuid.UUID
Domain string
UserID uuid.UUID
User User `gorm:"references:UUID"`
}
现在我想找到所有具有域配置文件的用户,例如example.com
.
我已经尝试了一些“加入”查询,但没有成功。但是我设法通过使用子查询让它工作:
var users []users
DB.Where(
"uuid IN (?)",
DB.Select("user_id").Where("domain = ?", "example.com").Table("profiles")
).Find(&users)
但我认为这不是一种非常优雅的方式。我认为加入会更直接。如何将此子查询转换为连接查询?
谢谢!
试试这个
DB.Select("u.*").Table("users u").Joins("INNER JOIN profiles p on p.user_id = u.uuid").Where("p.domain = ?", "example.com").Find(&users)
这将导致:
SELECT u.* FROM users u INNER JOIN profiles p on p.user_id = u.uuid WHERE p.domain = "example.com"
如果你更喜欢使用 gorm 内置功能而不是原始查询连接,你可以试试这个:
profile := &Profile{Domain: "example.com"}
user := &User{}
db.Select("User.*").Joins("User").Model(&Profile{}).Where(profile).Find(&user)
如果我们使用gorm这样的调试模式:
db.Debug().Select("User.*").Joins("User").Model(&Profile{}).Where(profile).Find(&user)
SQL查询日志会是这样的:
SELECT User.*,`User`.`id` AS `User__id`,`User`.`uuid` AS `User__uuid`,`User`.`email` AS `User__email` FROM `profiles` LEFT JOIN `users` `User` ON `profiles`.`user_id` = `User`.`uuid` WHERE `profiles`.`domain` = 'example.com'