用gorm和postgres在Golang中编写一个网络服务器,我被误解了,下面的代码在第二次循环迭代中到底发生了什么:
...
for _, t := range tasks {
newDbConn := db.SchoolServerDB.Debug().New()
err = newDbConn.Where("id = ?", t.DayID).First(&day).Error
if err != nil {
return errors.Wrapf(err, "Error query day with id='%v'", t.DayID)
}
...
}
...
第一次迭代调试:
SELECT * FROM "days" WHERE "days"."deleted_at" IS NULL AND ((id = '8')) ORDER BY "days"."id" ASC LIMIT 1
第二次迭代调试:
SELECT * FROM "days" WHERE "days"."deleted_at" IS NULL AND "days"."id" = '8' AND ((id = '38')) ORDER BY "days"."id" ASC LIMIT 1
关键问题是:尽管每次迭代都会创建一个新的连接,但为什么仍会累积搜索条件?根据docs,每次都必须清除搜索条件。我想要这样的第二个结果:
SELECT * FROM "days" WHERE "days"."deleted_at" IS NULL AND ((id = '38')) ORDER BY "days"."id" ASC LIMIT 1
任何帮助表示赞赏!
UPD:
db.SchoolServerDb只是* gorm.DB,而Debug()是其方法
表“days”由struct Day组成:
type Day struct {
gorm.Model
StudentID uint // parent id
Date string `sql:"size:255"`
Tasks []Task // has-many relation
Lessons []Lesson // has-many relation
}
最佳答案
您的搜索条件没问题。从第二次迭代开始,您就在查询中提供了多个ID。一个在Where
中,另一个在Find
中。
让我写一个像你一样的例子
ids := []int{1, 2}
var org database.Organization
for _, i := range ids {
db, _ := connection.NewPGConnection(info)
db = db.Debug().New()
db.Where("id = ?", i).Find(&org)
}
这里,第一次迭代中的SQL查询如下:
SELECT * FROM "organizations" WHERE "organizations"."deleted_at" IS NULL AND ((id = '1'))
在第二次迭代中它将是:
SELECT * FROM "organizations" WHERE "organizations"."deleted_at" IS NULL AND "organizations"."id" = '1' AND "organizations"."code" = 'mir' AND ((id = '2'))
为什么?因为,您使用了相同的变量 day 来读取行结果。
第一次,没关系。但是第二次,您的日子变量中已经有一个ID 。并且您在
Where
中提供了另一个。这就是为什么,它的运行查询带有两个ID。您实际上是在提供两个
id
,一个在where
子句中,另一个在Find
中。更改代码,以每次都重新声明变量日。像这样。
ids := []int{1, 2}
for _, i := range ids {
db, _ := connection.NewPGConnection(info)
db = db.Debug().New()
var org database.Organization // <----- move your variable day here
db.Where("id = ?", i).Find(&org)
}
每次都会使用新的干净变量。您的问题将得到解决。
谢谢。希望这会帮助你。