Golang + GORM で rollback (ロールバック)を試す

複数のテーブルを更新するような処理で、
どこかでエラーが起きた時に、
更新したテーブル達の内容を更新前に戻す方法。

サンプルコード

  • DB への接続は Golang + GORM + MySQL でデータをやりとりする を参考。
  • Begin() でトランザクションを開始させる。
  • Rollback() でロールバックさせる。トランザクションが終了する。
  • Commit() でデータを更新する。トランザクションが終了する。
  • Rollback() してもしなくても NewRecord() する度に ID が進む。

main.go

package main


import (
	"fmt"
	"time"

	"psychedelicnekopunch/go-sample/infrastructure"
)


type Users struct {
	ID int `json:"id"`
	Name string `json:"name"`
	Age int `json:"age"`
	IsStudent bool `json:"isStudent"`
	CreatedAt int64 `json:"createdAt"`
}


type Books struct {
	ID int `json:"id"`
	Title string `json:"title"`
	Description *string `json:"description"`
	PublishAt *int64 `json:"publishAt"`
}


func main() {

	d := infrastructure.NewDB()
	
	db := d.Connect()
	// トランザクション開始
	// func (s *DB) Begin() *DB
	tx := d.Begin()

	/**
	 * Create: 作成
	 */
	user := Users{
		Name: "rollback test",
		Age:  16,
		IsStudent: true,
		CreatedAt: time.Now().Unix(),
	}
	if !tx.NewRecord(&user) {
		tx.Rollback()
		panic("could not create new record")
	}
	if err := tx.Create(&user).Error; err != nil {
		tx.Rollback()
		panic(err.Error())
	}


	book := Books{
		Title: "rollback test",
	}
	if !tx.NewRecord(&book) {
		tx.Rollback()
		panic("could not create new record")
	}
	if err := tx.Create(&book).Error; err != nil {
		tx.Rollback()
		panic(err.Error())
	}


	/**
	 * Commit() するとトランザクションが終了して更新内容が反映される
	 */
	// tx.Commit()

	/**
	 * Rollback() するとトランザクションが終了して更新内容は破棄される。
	 * NewRecord() した際の ID は進む。
	 */
	// tx.Rollback()


	/**
	 * Query: 参照
	 */
	foundUsers := []Users{}
	// SELECT * FROM users;
	// db.Find(&foundUsers)
	tx.Find(&foundUsers)
	if len(foundUsers) == 0 {
		fmt.Printf("not found users")
	}
	fmt.Println(foundUsers)


	// db と tx は違うコネクションなので、
	// tx で行なった DB 操作と db で行なった DB 操作は
	// それぞれ干渉しないので、下記のように tx と db を一緒に使用しないほうがいい。
	foundBooks := []Books{}
	// SELECT * FROM books;
	db.Find(&foundBooks)
	// tx.Find(&foundBooks)
	if len(foundBooks) == 0 {
		fmt.Printf("not found books")
	}
	fmt.Println(foundBooks)


	/**
	 * Commit() もしくは Rollback() すると
	 * トランザクションが終了するので、
	 * Commit(), Rollback() 後に、
	 * tx.Find() などをすると、
	 * 「sql: transaction has already been committed or rolled back」
	 * というエラーが起きる
	 */
	tx.Commit()
	// tx.Rollback()
}

実行

$ go run main.go

[{1 rollback test 16 true 1582795517}]
not found books[]

関連記事