File size: 1,425 Bytes
1e92f2d |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 |
package graphqlapp
import (
context "context"
"database/sql"
"github.com/target/goalert/util/errutil"
"github.com/target/goalert/util/sqlutil"
)
// withContextTx is a helper function that handles starting and using a single transaction for a request.
//
// If there is not already a nested transaction in the current context, one is started and a new
// context is passed to fn.
// The transaction is then given to the provided fn.
//
// Commit and Rollback are handled automatically.
// Any nested calls to `withContextTx` will inherit the original transaction from the new context.
func withContextTx(ctx context.Context, db *sql.DB, fn func(context.Context, *sql.Tx) error) error {
// Defining a static key to store the transaction within Context. The `0` value is arbitrary,
// it just needs to be a unique type/value pair, vs. other context values.
type ctxTx int
const txKey = ctxTx(0)
run := func() error {
if tx, ok := ctx.Value(txKey).(*sql.Tx); ok {
// Transaction already exists, run fn with
// the original context, and pass in the open
// Tx.
return fn(ctx, tx)
}
tx, err := db.BeginTx(ctx, nil)
if err != nil {
return err
}
defer sqlutil.Rollback(ctx, "graphql: context tx", tx)
err = fn(context.WithValue(ctx, txKey, tx), tx)
if err != nil {
return err
}
return tx.Commit()
}
// Ensure returned DB errors are mapped.
return errutil.MapDBError(run())
}
|