Skip to content

Go 语言 Gorm 数据库 ORM 框架使用问题及解决方案

Published: at 05:23 AMSuggest Changes

最近在使用 Grom,碰到了一些问题,说一下解决方案。

数据库表头和数据库列名被转换

https://gorm.io/zh_CN/docs/conventions.html#复数表名

type Tabler interface {
    TableName() string
}

// TableName 会将 User 的表名重写为 `profiles`
func (User) TableName() string {
  return "profiles"
}

https://gorm.io/zh_CN/docs/conventions.html#列名

type Animal struct {
  AnimalID int64     `gorm:"column:beast_id"`         // 将列名设为 `beast_id`
  Birthday time.Time `gorm:"column:day_of_the_beast"` // 将列名设为 `day_of_the_beast`
  Age      int64     `gorm:"column:age_of_the_beast"` // 将列名设为 `age_of_the_beast`
}

设置数据库最大线程和连接池

https://gorm.io/docs/generic_interface.html#Connection-Pool

// Get generic database object sql.DB to use its functions
sqlDB, err := db.DB()

// SetMaxIdleConns sets the maximum number of connections in the idle connection pool.
sqlDB.SetMaxIdleConns(10)

// SetMaxOpenConns sets the maximum number of open connections to the database.
sqlDB.SetMaxOpenConns(100)

// SetConnMaxLifetime sets the maximum amount of time a connection may be reused.
sqlDB.SetConnMaxLifetime(time.Hour)

Gorm 有 JSON 类型的数据的处理

import "gorm.io/datatypes"

type UserWithJSON struct {
	gorm.Model
	Name       string
	Attributes datatypes.JSON
}

Gorm 指定表名

https://v1.gorm.io/zh_CN/docs/conventions.html

// 指定表名称

// 使用 User 结构体创建名为 `deleted_users` 的表
db.Table("deleted_users").CreateTable(&User{})

var deleted_users []User
db.Table("deleted_users").Find(&deleted_users)
//// SELECT * FROM deleted_users;

db.Table("deleted_users").Where("name = ?", "jinzhu").Delete()
//// DELETE FROM deleted_users WHERE name = 'jinzhu';

Gorm 指定表名和禁止表名复数

type User struct {} // 默认表名是 `users`

// 将 User 的表名设置为 `profiles`
func (User) TableName() string {
  return "profiles"
}

func (u User) TableName() string {
  if u.Role == "admin" {
    return "admin_users"
  } else {
    return "users"
  }
}

// 禁用默认表名的复数形式,如果置为 true,则 `User` 的默认表名是 `user`
db.SingularTable(true)

Previous Post
MySQL 最大连接数设置:max_connections (包含 AWS 数据库设置)
Next Post
Js 的 Promise 学习笔记