我最近也是开始学Go语言,之前我的项目使用PHP编写的,最近想用Go语言重写一遍。PHP框架自带的ORM很好用,但是GO语言的Gorm框架刚刚接触把我搞得有点蒙,也查了好多网上写的文章,都没有太好的解决我的问题。经过我不懈的努力终于搞定了,所以就记录一下。
我具体声明的结构体如下所示:
//设备结构体
type SmartDevice struct {
ID uint `gorm:"column:id" gorm:"primary_key" json:"id"`
DeviceHexCode string `gorm:"column:device_hex_code" json:"device_hex_code"`
DeviceCode string `gorm:"column:device_code" json:"device_code"`
DeviceName string `gorm:"column:device_name" json:"device_name"`
Pid int `gorm:"column:pid" json:"pid"`
Position string `gorm:"column:position" json:"position"`
Ip string `gorm:"column:ip" json:"ip"`
DeviceStatus int `gorm:"column:device_status" json:"device_status"`
AreaId int `gorm:"column:area_id" json:"area_id"`
DeviceType int `gorm:"column:device_type" json:"device_type"`
CreatedTime int `gorm:"created_time" json:"created_time"`
CreatedDate string `gorm:"created_date" json:"created_date"`
UpdatedTime int `gorm:"updated_time" json:"updated_time"`
UpdatedDate string `gorm:"updated_date" json:"updated_date"`
BillDate string `gorm:"bill_date" json:"bill_date"`
//柜子和单元格是一对多的关系
DeviceCell []DeviceCell `gorm:"ForeignKey:DeviceHexCode;AssociationForeignKey:DeviceHexCode" json:"device_cell"`
}
//单元格结构体
type DeviceCell struct {
ID uint `gorm:"primary_key" gorm:"column:id" json:"id"`
DeviceHexCode string `gorm:"column:device_hex_code" json:"device_hex_code"`
CellHexCode string `gorm:"column:cell_hex_code" json:"cell_hex_code"`
Column int `gorm:"column" json:"column"`
Row int `gorm:"row" json:"row"`
Status int `gorm:"status" json:"status"`
CreatedTime int `gorm:"created_time" json:"created_time"`
CreatedDate string `gorm:"created_date" json:"created_date"`
UpdatedTime int `gorm:"updated_time" json:"updated_time"`
UpdatedDate string `gorm:"updated_date" json:"updated_date"`
BillDate string `gorm:"bill_date" json:"bill_date"`
}
他们之间的关系:一个设备对应多个单元格,所以他是一对多的关系,在声明关系时,要定义关联关系的外键:ForeignKey:DeviceHexCode;AssociationForeignKey:DeviceHexCode
实现这个一对多的查询有两种办法
Preload
preload它的参数是一个字段名字,具体的实现如下所示:
var smartDevice []model.SmartDevice
db := device.Db.Connect()
defer db.Close()
db.Find(&smartDevice)
data := db.Model(&smartDevice).
Preload("DeviceCell").
Find(&smartDevice)
这样写的好处是,我们查询所有关联的时候,他会给每个条信息带上关联的信息,这和PHP Laravel框架的self::with('relationCell')->where($condition)->get()->toArray();
这种用法是一样的,返回的数据类型效果为:
[
{
"ID" : 1,
"detail" : [
{
"ID" : 33232
}
]
},
{
"ID" : 2,
"detail" : [
{
"ID" : 88877
}
]
}
]
Related
对于Related,他必须传一个字段,作为关联信息的映射,他的具体用法如下所示:
var smartDevice model.SmartDevice
db := device.Db.Connect()
defer db.Close()
db.Find(&smartDevice)
data := db.Model(&smartDevice).
Related(&smartDevice.DeviceCell, "DeviceCell").
Find(&smartDevice)
这种写法,在查询语句的时候,关联数据返回都是有一条,对于Find查询,他会返回最后一条数据:
{
"ID" : 2,
"detail" : [
{
"ID" : 88877
}
]
}
总结:如果需要查出所有关联的数据就用Preload,查一条关联数据用Related