The fantastic ORM library for Golang aims to be developer friendly.
特性
- 全功能 ORM
- 关联 (Has One、Has Many、Belongs To、Many To Many、多态、单表继承)
- Create、Save、Update、Delete、Find 前/后的勾子
- 基于
Preload
、Joins
的预加载 - 事务、嵌套事务、保存点、回滚至保存点
- Context、Prepared Statment 模式、DryRun 模式
- 批量插入、FindInBatches、查询至 Map
- SQL Builder, Upsert, Locking, Optimizer/Index/Comment Hints
- 复合主键
- 自动迁移
- 自定义 Logger
- Extendable, flexible plugin API: Database Resolver (Read/Write Splitting) / Prometheus…
- 所有特性都通过了测试
- 开发者友好
安装
go get -u gorm.io/gorm
go get -u gorm.io/driver/sqlite
快速入门
package main
import (
"gorm.io/gorm"
"gorm.io/driver/sqlite"
)
type Product struct {
gorm.Model
Code string
Price uint
}
func main() {
db, err := gorm.Open(sqlite.Open("test.db"), &gorm.Config{})
if err != nil {
panic("failed to connect database")
}
// Migrate the schema
db.AutoMigrate(&Product{})
// Create
db.Create(&Product{Code: "D42", Price: 100})
// Read
var product Product
db.First(&product, 1) // find product with integer primary key
db.First(&product, "code = ?", "D42") // find product with code D42
// Update - update product's price to 200
db.Model(&product).Update("Price", 200)
// Update - update multiple fields
db.Model(&product).Updates(Product{Price: 200, Code: "F42"}) // non-zero fields
db.Model(&product).Updates(map[string]interface{}{"Price": 200, "Code": "F42"})
// Delete - delete product
db.Delete(&product, 1)
}