Callbacks

您可以将回调方法定义为模型结构的指针,在创建,更新,查询,删除时将被调用,如果任何回调返回错误,gorm将停止未来操作并回滚所有更改。

创建对象

创建过程中可用的回调

  1. // begin transaction 开始事物
  2. BeforeSave
  3. BeforeCreate
  4. // save before associations 保存前关联
  5. // update timestamp `CreatedAt`, `UpdatedAt` 更新`CreatedAt`, `UpdatedAt`时间戳
  6. // save self 保存自己
  7. // reload fields that have default value and its value is blank 重新加载具有默认值且其值为空的字段
  8. // save after associations 保存后关联
  9. AfterCreate
  10. AfterSave
  11. // commit or rollback transaction 提交或回滚事务

更新对象

更新过程中可用的回调

  1. // begin transaction 开始事物
  2. BeforeSave
  3. BeforeUpdate
  4. // save before associations 保存前关联
  5. // update timestamp `UpdatedAt` 更新`UpdatedAt`时间戳
  6. // save self 保存自己
  7. // save after associations 保存后关联
  8. AfterUpdate
  9. AfterSave
  10. // commit or rollback transaction 提交或回滚事务

删除对象

删除过程中可用的回调

  1. // begin transaction 开始事物
  2. BeforeDelete
  3. // delete self 删除自己
  4. AfterDelete
  5. // commit or rollback transaction 提交或回滚事务

查询对象 {#querying-an-object}

查询过程中可用的回调

  1. // load data from database 从数据库加载数据
  2. // Preloading (edger loading) 预加载(加载)
  3. AfterFind

回调示例

  1. func (u *User) BeforeUpdate() (err error) {
  2. if u.readonly() {
  3. err = errors.New("read only user")
  4. }
  5. return
  6. }
  7. // 如果用户ID大于1000,则回滚插入
  8. func (u *User) AfterCreate() (err error) {
  9. if (u.Id > 1000) {
  10. err = errors.New("user id is already greater than 1000")
  11. }
  12. return
  13. }

gorm中的保存/删除操作正在事务中运行,因此在该事务中所做的更改不可见,除非提交。 如果要在回调中使用这些更改,则需要在同一事务中运行SQL。 所以你需要传递当前事务到回调,像这样:

  1. func (u *User) AfterCreate(tx *gorm.DB) (err error) {
  2. tx.Model(u).Update("role", "admin")
  3. return
  4. }
  1. func (u *User) AfterCreate(scope *gorm.Scope) (err error) {
  2. scope.DB().Model(u).Update("role", "admin")
  3. return
  4. }