GORM simplifies database interactions by mapping Go structs to database tables. Understanding how to declare models in GORM is fundamental for leveraging its full capabilities.
Объявление моделей
Models are defined using normal structs. These structs can contain fields with basic Go types, pointers or aliases of these types, or even custom types, as long as they implement the Scanner and Valuer interfaces from the database/sql
package
Consider the following example of a User
model:
type User struct { |
In this model:
- Basic data types like
uint
,string
, anduint8
are used directly. - Pointers to types like
*string
and*time.Time
indicate nullable fields. sql.NullString
andsql.NullTime
from thedatabase/sql
package are used for nullable fields with more control.CreatedAt
andUpdatedAt
are special fields that GORM automatically populates with the current time when a record is created or updated.- Non-exported fields (starting with a small letter) are not mapped
In addition to the fundamental features of model declaration in GORM, it’s important to highlight the support for serialization through the serializer tag. This feature enhances the flexibility of how data is stored and retrieved from the database, especially for fields that require custom serialization logic, See Serializer for a detailed explanation
Преобразования
Primary Key: GORM uses a field named
ID
as the default primary key for each model.Table Names: By default, GORM converts struct names to
snake_case
and pluralizes them for table names. For instance, aUser
struct becomesusers
in the database.Column Names: GORM automatically converts struct field names to
snake_case
for column names in the database.Timestamp Fields: GORM uses fields named
CreatedAt
andUpdatedAt
to automatically track the creation and update times of records.
Following these conventions can greatly reduce the amount of configuration or code you need to write. However, GORM is also flexible, allowing you to customize these settings if the default conventions don’t fit your requirements. You can learn more about customizing these conventions in GORM’s documentation on conventions.
gorm.Model
GORM provides a predefined struct named gorm.Model
, which includes commonly used fields:
// объявление gorm.Model |
Embedding in Your Struct: You can embed
gorm.Model
directly in your structs to include these fields automatically. This is useful for maintaining consistency across different models and leveraging GORM’s built-in conventions, refer Embedded StructFields Included:
ID
: A unique identifier for each record (primary key).CreatedAt
: Automatically set to the current time when a record is created.UpdatedAt
: Automatically updated to the current time whenever a record is updated.DeletedAt
: Used for soft deletes (marking records as deleted without actually removing them from the database).
Дополнительно
Разрешение для каждого поля
Экспортированные поля имеют все разрешения при выполнении CRUD с помощью GORM, и GORM позволяет вам изменять разрешение на уровне поля с помощью тегов, поэтому вы можете сделать поле доступным только для чтения, записи, создания, обновления или игнорируемым
Игнорируемые поля не будут созданы при использовании GORM Migrator для создания таблицы
type User struct { |
Создание/обновление Time/Unix (Milli/Nano) секунд отслеживания
GORM использует CreatedAt
, UpdatedAt
для отслеживания создания/обновления времени. Если эти поля определены, GORM автоматически установит текущее время при создании/обновлении
Чтобы использовать поля с другим именем, вы можете настроить эти поля при помощи тегов autoCreateTime
, autoUpdateTime
Если вы предпочитаете сохранять UNIX (milli/nano) секунды вместо времени, вы можете просто изменить тип данных поля с time.Time
на int
type User struct { |
Вложенные структуры
Для анонимных полей GORM будет включать свои поля в свою же родительскую структуру, например:
type Author struct { |
Вы можете вставить обычные поля структуры с тегом embedded
, например:
type Author struct { |
Также вы можете использовать тег embeddedPrefix
для добавления префикса во встроенные поля в db, например:
type Blog struct { |
Tags are optional to use when declaring models, GORM supports the following tags: Tags are case insensitive, however camelCase
is preferred. If multiple tags are used they should be separated by a semicolon (;
). Characters that have special meaning to the parser can be escaped with a backslash (\
) allowing them to be used as parameter values.
Наименование тэга | Описание |
---|---|
column | название столбца |
type | тип данных столбца, предпочитайте использовать совместимый общий тип, например: bool, int, uint, float, string, time, bytes, который работает для всех баз данных и может использоваться вместе с другими тегами, например not null , size , autoIncrement … также поддерживается указанный тип данных базы данных, например varbinary (8) , при использовании указанного типа данных базы данных он должен быть полным типом данных базы данных, например: MEDIUMINT UNSIGNED NOT NULL AUTO_INCREMENT |
serializer | указывает сериализатор для сериализации и десериализации данных в Бд, например: serializer:json/gob/unixtime |
size | определяет размер/длину данных столбца, например: size:256 |
primaryKey | указывает столбец в качестве первичного ключа |
unique | указывает столбец, как уникальный |
default | задает значение столбца по умолчанию |
precision | определяет точность значений столбца |
scale | specifies column scale |
not null | указывает столбец, как NOT NULL |
autoIncrement | определяет столбец с авто инкрементом |
autoIncrementIncrement | шаг автоматического увеличения, управляет интервалом между последовательными значениями столбца |
embedded | встраиваемое поле |
embeddedPrefix | префикс имени столбца для встроенных полей |
autoCreateTime | отслеживать текущее время при создании, для полей int , он будет отслеживать секунды unix, используйте значение nano /milli для отслеживания unix нано/миллисекунд, например: autoCreateTime:nano |
autoUpdateTime | отслеживайте текущее время при создании/обновлении, для полей int оно будет отслеживать секунды unix, используйте значение nano /milli для отслеживания unix нано/миллисекунд, например: autoUpdateTime:milli |
index | создает индекс с параметрами, используйте одно и то же имя для нескольких полей, создавая составные индексы, смотрите Индексы для получения подробной информации |
uniqueIndex | то же, что и параметр index , но создает уникальный индекс |
check | создает ограничение проверки, например: check:age > 13 , смотрите Ограничения |
<- | устанавливает разрешение на запись поля, <-:create поле только для создания, <-:update поле только для обновления, <-:false нет разрешения на запись, <- разрешение на создание и обновление |
-> | устанавливает разрешение на чтение поля, ->:false нет разрешения на чтение |
- | игнорировать это поле, - нет разрешения на чтение/запись, -:migration нет разрешения на миграцию, -:all нет разрешения на чтение/запись/миграцию |
comment | добавить комментарий к полю при миграции |
Взаимосвязи
GORM позволяет настраивать внешние ключи (foreign keys), ограничения (constraints), отношения многие ко многим через теги связей, для получения подробной информации перейдите в раздел Ассоциации