mirror of https://github.com/hashicorp/boundary
You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
1117 lines
38 KiB
1117 lines
38 KiB
package db
|
|
|
|
import (
|
|
"context"
|
|
"database/sql"
|
|
"errors"
|
|
"fmt"
|
|
"reflect"
|
|
"strings"
|
|
"time"
|
|
|
|
"github.com/hashicorp/boundary/internal/db/common"
|
|
"github.com/hashicorp/boundary/internal/oplog"
|
|
"github.com/hashicorp/boundary/internal/oplog/store"
|
|
wrapping "github.com/hashicorp/go-kms-wrapping"
|
|
"github.com/jinzhu/gorm"
|
|
"google.golang.org/protobuf/proto"
|
|
)
|
|
|
|
const (
|
|
NoRowsAffected = 0
|
|
|
|
// DefaultLimit is the default for results for boundary
|
|
DefaultLimit = 10000
|
|
)
|
|
|
|
// Reader interface defines lookups/searching for resources
|
|
type Reader interface {
|
|
// LookupById will lookup a resource by its primary key id, which must be
|
|
// unique. The resourceWithIder must implement either ResourcePublicIder or
|
|
// ResourcePrivateIder interface.
|
|
LookupById(ctx context.Context, resourceWithIder interface{}, opt ...Option) error
|
|
|
|
// LookupByPublicId will lookup resource by its public_id which must be unique.
|
|
LookupByPublicId(ctx context.Context, resource ResourcePublicIder, opt ...Option) error
|
|
|
|
// LookupWhere will lookup and return the first resource using a where clause with parameters
|
|
LookupWhere(ctx context.Context, resource interface{}, where string, args ...interface{}) error
|
|
|
|
// SearchWhere will search for all the resources it can find using a where
|
|
// clause with parameters. Supports the WithLimit option. If
|
|
// WithLimit < 0, then unlimited results are returned. If WithLimit == 0, then
|
|
// default limits are used for results.
|
|
SearchWhere(ctx context.Context, resources interface{}, where string, args []interface{}, opt ...Option) error
|
|
|
|
// Query will run the raw query and return the *sql.Rows results. Query will
|
|
// operate within the context of any ongoing transaction for the db.Reader. The
|
|
// caller must close the returned *sql.Rows. Query can/should be used in
|
|
// combination with ScanRows.
|
|
Query(ctx context.Context, sql string, values []interface{}, opt ...Option) (*sql.Rows, error)
|
|
|
|
// ScanRows will scan sql rows into the interface provided
|
|
ScanRows(rows *sql.Rows, result interface{}) error
|
|
}
|
|
|
|
// Writer interface defines create, update and retryable transaction handlers
|
|
type Writer interface {
|
|
// DoTx will wrap the TxHandler in a retryable transaction
|
|
DoTx(ctx context.Context, retries uint, backOff Backoff, Handler TxHandler) (RetryInfo, error)
|
|
|
|
// Update an object in the db, fieldMask is required and provides
|
|
// field_mask.proto paths for fields that should be updated. The i interface
|
|
// parameter is the type the caller wants to update in the db and its
|
|
// fields are set to the update values. setToNullPaths is optional and
|
|
// provides field_mask.proto paths for the fields that should be set to
|
|
// null. fieldMaskPaths and setToNullPaths must not intersect. The caller
|
|
// is responsible for the transaction life cycle of the writer and if an
|
|
// error is returned the caller must decide what to do with the transaction,
|
|
// which almost always should be to rollback. Update returns the number of
|
|
// rows updated or an error. Supported options: WithOplog.
|
|
Update(ctx context.Context, i interface{}, fieldMaskPaths []string, setToNullPaths []string, opt ...Option) (int, error)
|
|
|
|
// Create an object in the db with options: WithOplog
|
|
// the caller is responsible for the transaction life cycle of the writer
|
|
// and if an error is returned the caller must decide what to do with
|
|
// the transaction, which almost always should be to rollback.
|
|
Create(ctx context.Context, i interface{}, opt ...Option) error
|
|
|
|
// CreateItems will create multiple items of the same type.
|
|
// Supported options: WithOplog and WithOplogMsgs. WithOplog and
|
|
// WithOplogMsgs may not be used together. WithLookup is not a
|
|
// supported option. The caller is responsible for the transaction life
|
|
// cycle of the writer and if an error is returned the caller must decide
|
|
// what to do with the transaction, which almost always should be to
|
|
// rollback.
|
|
CreateItems(ctx context.Context, createItems []interface{}, opt ...Option) error
|
|
|
|
// Delete an object in the db with options: WithOplog
|
|
// the caller is responsible for the transaction life cycle of the writer
|
|
// and if an error is returned the caller must decide what to do with
|
|
// the transaction, which almost always should be to rollback. Delete
|
|
// returns the number of rows deleted or an error.
|
|
Delete(ctx context.Context, i interface{}, opt ...Option) (int, error)
|
|
|
|
// DeleteItems will delete multiple items of the same type.
|
|
// Supported options: WithOplog and WithOplogMsgs. WithOplog and
|
|
// WithOplogMsgs may not be used together. The caller is responsible for the
|
|
// transaction life cycle of the writer and if an error is returned the
|
|
// caller must decide what to do with the transaction, which almost always
|
|
// should be to rollback. Delete returns the number of rows deleted or an error.
|
|
DeleteItems(ctx context.Context, deleteItems []interface{}, opt ...Option) (int, error)
|
|
|
|
// Exec will execute the sql with the values as parameters. The int returned
|
|
// is the number of rows affected by the sql. No options are currently
|
|
// supported.
|
|
Exec(ctx context.Context, sql string, values []interface{}, opt ...Option) (int, error)
|
|
|
|
// GetTicket returns an oplog ticket for the aggregate root of "i" which can
|
|
// be used to WriteOplogEntryWith for that aggregate root.
|
|
GetTicket(i interface{}) (*store.Ticket, error)
|
|
|
|
// WriteOplogEntryWith will write an oplog entry with the msgs provided for
|
|
// the ticket's aggregateName. No options are currently supported.
|
|
WriteOplogEntryWith(
|
|
ctx context.Context,
|
|
wrapper wrapping.Wrapper,
|
|
ticket *store.Ticket,
|
|
metadata oplog.Metadata,
|
|
msgs []*oplog.Message,
|
|
opt ...Option,
|
|
) error
|
|
}
|
|
|
|
const (
|
|
StdRetryCnt = 20
|
|
)
|
|
|
|
// RetryInfo provides information on the retries of a transaction
|
|
type RetryInfo struct {
|
|
Retries int
|
|
Backoff time.Duration
|
|
}
|
|
|
|
// TxHandler defines a handler for a func that writes a transaction for use with DoTx
|
|
type TxHandler func(Reader, Writer) error
|
|
|
|
// ResourcePublicIder defines an interface that LookupByPublicId() can use to
|
|
// get the resource's public id.
|
|
type ResourcePublicIder interface {
|
|
GetPublicId() string
|
|
}
|
|
|
|
// ResourcePrivateIder defines an interface that LookupById() can use to get the
|
|
// resource's private id.
|
|
type ResourcePrivateIder interface {
|
|
GetPrivateId() string
|
|
}
|
|
|
|
type OpType int
|
|
|
|
const (
|
|
UnknownOp OpType = 0
|
|
CreateOp OpType = 1
|
|
UpdateOp OpType = 2
|
|
DeleteOp OpType = 3
|
|
)
|
|
|
|
// VetForWriter provides an interface that Create and Update can use to vet the
|
|
// resource before before writing it to the db. For optType == UpdateOp,
|
|
// options WithFieldMaskPath and WithNullPaths are supported. For optType ==
|
|
// CreateOp, no options are supported
|
|
type VetForWriter interface {
|
|
VetForWrite(ctx context.Context, r Reader, opType OpType, opt ...Option) error
|
|
}
|
|
|
|
// Db uses a gorm DB connection for read/write
|
|
type Db struct {
|
|
underlying *gorm.DB
|
|
}
|
|
|
|
// ensure that Db implements the interfaces of: Reader and Writer
|
|
var _ Reader = (*Db)(nil)
|
|
var _ Writer = (*Db)(nil)
|
|
|
|
func New(underlying *gorm.DB) *Db {
|
|
return &Db{underlying: underlying}
|
|
}
|
|
|
|
// Exec will execute the sql with the values as parameters. The int returned
|
|
// is the number of rows affected by the sql. No options are currently
|
|
// supported.
|
|
func (rw *Db) Exec(ctx context.Context, sql string, values []interface{}, opt ...Option) (int, error) {
|
|
if sql == "" {
|
|
return NoRowsAffected, fmt.Errorf("missing sql: %w", ErrInvalidParameter)
|
|
}
|
|
gormDb := rw.underlying.Exec(sql, values...)
|
|
if gormDb.Error != nil {
|
|
return NoRowsAffected, fmt.Errorf("exec: failed: %w", gormDb.Error)
|
|
}
|
|
return int(gormDb.RowsAffected), nil
|
|
}
|
|
|
|
// Query will run the raw query and return the *sql.Rows results. Query will
|
|
// operate within the context of any ongoing transaction for the db.Reader. The
|
|
// caller must close the returned *sql.Rows. Query can/should be used in
|
|
// combination with ScanRows.
|
|
func (rw *Db) Query(ctx context.Context, sql string, values []interface{}, opt ...Option) (*sql.Rows, error) {
|
|
if sql == "" {
|
|
return nil, fmt.Errorf("raw missing sql: %w", ErrInvalidParameter)
|
|
}
|
|
gormDb := rw.underlying.Raw(sql, values...)
|
|
if gormDb.Error != nil {
|
|
return nil, fmt.Errorf("exec: failed: %w", gormDb.Error)
|
|
}
|
|
return gormDb.Rows()
|
|
}
|
|
|
|
// Scan rows will scan the rows into the interface
|
|
func (rw *Db) ScanRows(rows *sql.Rows, result interface{}) error {
|
|
if rw.underlying == nil {
|
|
return fmt.Errorf("scan rows: missing underlying db %w", ErrInvalidParameter)
|
|
}
|
|
if isNil(result) {
|
|
return fmt.Errorf("scan rows: result is missing %w", ErrInvalidParameter)
|
|
}
|
|
return rw.underlying.ScanRows(rows, result)
|
|
}
|
|
|
|
func (rw *Db) lookupAfterWrite(ctx context.Context, i interface{}, opt ...Option) error {
|
|
opts := GetOpts(opt...)
|
|
withLookup := opts.withLookup
|
|
|
|
if !withLookup {
|
|
return nil
|
|
}
|
|
if err := rw.LookupById(ctx, i, opt...); err != nil {
|
|
return fmt.Errorf("lookup after write: %w", err)
|
|
}
|
|
return nil
|
|
}
|
|
|
|
// Create an object in the db with options: WithOplog, NewOplogMsg and
|
|
// WithLookup. WithOplog will write an oplog entry for the create.
|
|
// NewOplogMsg will return in-memory oplog message. WithOplog and NewOplogMsg
|
|
// cannot be used together. WithLookup with to force a lookup after create.
|
|
func (rw *Db) Create(ctx context.Context, i interface{}, opt ...Option) error {
|
|
if rw.underlying == nil {
|
|
return fmt.Errorf("create: missing underlying db: %w", ErrInvalidParameter)
|
|
}
|
|
if isNil(i) {
|
|
return fmt.Errorf("create: interface is missing: %w", ErrInvalidParameter)
|
|
}
|
|
opts := GetOpts(opt...)
|
|
withOplog := opts.withOplog
|
|
if withOplog && opts.newOplogMsg != nil {
|
|
return fmt.Errorf("create: both WithOplog and NewOplogMsg options have been specified: %w", ErrInvalidParameter)
|
|
}
|
|
if withOplog {
|
|
// let's validate oplog options before we start writing to the database
|
|
_, err := validateOplogArgs(i, opts)
|
|
if err != nil {
|
|
return fmt.Errorf("create: oplog validation failed: %w", err)
|
|
}
|
|
}
|
|
// these fields should be nil, since they are not writeable and we want the
|
|
// db to manage them
|
|
setFieldsToNil(i, []string{"CreateTime", "UpdateTime"})
|
|
|
|
if !opts.withSkipVetForWrite {
|
|
if vetter, ok := i.(VetForWriter); ok {
|
|
if err := vetter.VetForWrite(ctx, rw, CreateOp); err != nil {
|
|
return fmt.Errorf("create: vet for write failed: %w", err)
|
|
}
|
|
}
|
|
}
|
|
var ticket *store.Ticket
|
|
if withOplog {
|
|
var err error
|
|
ticket, err = rw.GetTicket(i)
|
|
if err != nil {
|
|
return fmt.Errorf("create: unable to get ticket: %w", err)
|
|
}
|
|
}
|
|
if err := rw.underlying.Create(i).Error; err != nil {
|
|
return fmt.Errorf("create: failed: %w", err)
|
|
}
|
|
if withOplog {
|
|
if err := rw.addOplog(ctx, CreateOp, opts, ticket, i); err != nil {
|
|
return err
|
|
}
|
|
}
|
|
if opts.newOplogMsg != nil {
|
|
msg, err := rw.newOplogMessage(ctx, CreateOp, i)
|
|
if err != nil {
|
|
return fmt.Errorf("create: returning oplog failed: %w", err)
|
|
}
|
|
*opts.newOplogMsg = *msg
|
|
}
|
|
if err := rw.lookupAfterWrite(ctx, i, opt...); err != nil {
|
|
return fmt.Errorf("create: %w", err)
|
|
}
|
|
return nil
|
|
}
|
|
|
|
// CreateItems will create multiple items of the same type. Supported options:
|
|
// WithOplog and WithOplogMsgs. WithOplog and WithOplogMsgs may not be used
|
|
// together. WithLookup is not a supported option.
|
|
func (rw *Db) CreateItems(ctx context.Context, createItems []interface{}, opt ...Option) error {
|
|
if rw.underlying == nil {
|
|
return fmt.Errorf("create items: missing underlying db: %w", ErrInvalidParameter)
|
|
}
|
|
if len(createItems) == 0 {
|
|
return fmt.Errorf("create items: no interfaces to create: %w", ErrInvalidParameter)
|
|
}
|
|
opts := GetOpts(opt...)
|
|
if opts.withLookup {
|
|
return fmt.Errorf("create items: with lookup not a supported option: %w", ErrInvalidParameter)
|
|
}
|
|
if opts.newOplogMsg != nil {
|
|
return fmt.Errorf("create items: new oplog msg (singular) is not a supported option: %w", ErrInvalidParameter)
|
|
}
|
|
if opts.withOplog && opts.newOplogMsgs != nil {
|
|
return fmt.Errorf("create items: both WithOplog and NewOplogMsgs options have been specified: %w", ErrInvalidParameter)
|
|
}
|
|
// verify that createItems are all the same type.
|
|
var foundType reflect.Type
|
|
for i, v := range createItems {
|
|
if i == 0 {
|
|
foundType = reflect.TypeOf(v)
|
|
}
|
|
currentType := reflect.TypeOf(v)
|
|
if foundType != currentType {
|
|
return fmt.Errorf("create items: create items contains disparate types. item %d is not a %s: %w", i, foundType.Name(), ErrInvalidParameter)
|
|
}
|
|
}
|
|
var ticket *store.Ticket
|
|
if opts.withOplog {
|
|
_, err := validateOplogArgs(createItems[0], opts)
|
|
if err != nil {
|
|
return fmt.Errorf("create items: oplog validation failed: %w", err)
|
|
}
|
|
ticket, err = rw.GetTicket(createItems[0])
|
|
if err != nil {
|
|
return fmt.Errorf("create items: unable to get ticket: %w", err)
|
|
}
|
|
}
|
|
for _, item := range createItems {
|
|
if err := rw.Create(ctx, item); err != nil {
|
|
return fmt.Errorf("create items: %w", err)
|
|
}
|
|
|
|
}
|
|
if opts.withOplog {
|
|
if err := rw.addOplogForItems(ctx, CreateOp, opts, ticket, createItems); err != nil {
|
|
return fmt.Errorf("create items: unable to add oplog: %w", err)
|
|
}
|
|
}
|
|
if opts.newOplogMsgs != nil {
|
|
msgs, err := rw.oplogMsgsForItems(ctx, CreateOp, opts, createItems)
|
|
if err != nil {
|
|
return fmt.Errorf("create items: returning oplog msgs failed %w", err)
|
|
}
|
|
*opts.newOplogMsgs = append(*opts.newOplogMsgs, msgs...)
|
|
}
|
|
return nil
|
|
}
|
|
|
|
// Update an object in the db, fieldMask is required and provides
|
|
// field_mask.proto paths for fields that should be updated. The i interface
|
|
// parameter is the type the caller wants to update in the db and its
|
|
// fields are set to the update values. setToNullPaths is optional and
|
|
// provides field_mask.proto paths for the fields that should be set to
|
|
// null. fieldMaskPaths and setToNullPaths must not intersect. The caller
|
|
// is responsible for the transaction life cycle of the writer and if an
|
|
// error is returned the caller must decide what to do with the transaction,
|
|
// which almost always should be to rollback. Update returns the number of
|
|
// rows updated.
|
|
//
|
|
// Supported options: WithOplog, NewOplogMsg and WithVersion.
|
|
// WithOplog will write an oplog entry for the update. NewOplogMsg
|
|
// will return in-memory oplog message. WithOplog and NewOplogMsg cannot be
|
|
// used together. If WithVersion is used, then the update will include the
|
|
// version number in the update where clause, which basically makes the update
|
|
// use optimistic locking and the update will only succeed if the existing rows
|
|
// version matches the WithVersion option. Zero is not a valid value for the
|
|
// WithVersion option and will return an error.
|
|
func (rw *Db) Update(ctx context.Context, i interface{}, fieldMaskPaths []string, setToNullPaths []string, opt ...Option) (int, error) {
|
|
if rw.underlying == nil {
|
|
return NoRowsAffected, fmt.Errorf("update: missing underlying db %w", ErrInvalidParameter)
|
|
}
|
|
if isNil(i) {
|
|
return NoRowsAffected, fmt.Errorf("update: interface is missing %w", ErrInvalidParameter)
|
|
}
|
|
if len(fieldMaskPaths) == 0 && len(setToNullPaths) == 0 {
|
|
return NoRowsAffected, errors.New("update: both fieldMaskPaths and setToNullPaths are missing")
|
|
}
|
|
opts := GetOpts(opt...)
|
|
withOplog := opts.withOplog
|
|
if withOplog && opts.newOplogMsg != nil {
|
|
return NoRowsAffected, fmt.Errorf("update: both WithOplog and NewOplogMsg options have been specified: %w", ErrInvalidParameter)
|
|
}
|
|
|
|
// we need to filter out some non-updatable fields (like: CreateTime, etc)
|
|
fieldMaskPaths = filterPaths(fieldMaskPaths)
|
|
setToNullPaths = filterPaths(setToNullPaths)
|
|
if len(fieldMaskPaths) == 0 && len(setToNullPaths) == 0 {
|
|
return NoRowsAffected, fmt.Errorf("update: after filtering non-updated fields, there are no fields left in fieldMaskPaths or setToNullPaths")
|
|
}
|
|
|
|
updateFields, err := common.UpdateFields(i, fieldMaskPaths, setToNullPaths)
|
|
if err != nil {
|
|
return NoRowsAffected, fmt.Errorf("update: getting update fields failed: %w", err)
|
|
}
|
|
if len(updateFields) == 0 {
|
|
return NoRowsAffected, fmt.Errorf("update: no fields matched using fieldMaskPaths %s", fieldMaskPaths)
|
|
}
|
|
|
|
// This is not a boundary scope, but rather a gorm Scope:
|
|
// https://godoc.org/github.com/jinzhu/gorm#DB.NewScope
|
|
scope := rw.underlying.NewScope(i)
|
|
if scope.PrimaryKeyZero() {
|
|
return NoRowsAffected, fmt.Errorf("update: primary key is not set")
|
|
}
|
|
|
|
for _, f := range scope.PrimaryFields() {
|
|
if contains(fieldMaskPaths, f.Name) {
|
|
return NoRowsAffected, fmt.Errorf("update: not allowed on primary key field %s: %w", f.Name, ErrInvalidFieldMask)
|
|
}
|
|
}
|
|
|
|
if withOplog {
|
|
// let's validate oplog options before we start writing to the database
|
|
_, err := validateOplogArgs(i, opts)
|
|
if err != nil {
|
|
return NoRowsAffected, fmt.Errorf("update: oplog validation failed: %w", err)
|
|
}
|
|
}
|
|
if !opts.withSkipVetForWrite {
|
|
if vetter, ok := i.(VetForWriter); ok {
|
|
if err := vetter.VetForWrite(ctx, rw, UpdateOp, WithFieldMaskPaths(fieldMaskPaths), WithNullPaths(setToNullPaths)); err != nil {
|
|
return NoRowsAffected, fmt.Errorf("update: vet for write failed: %w", err)
|
|
}
|
|
}
|
|
}
|
|
var ticket *store.Ticket
|
|
if withOplog {
|
|
var err error
|
|
ticket, err = rw.GetTicket(i)
|
|
if err != nil {
|
|
return NoRowsAffected, fmt.Errorf("update: unable to get ticket: %w", err)
|
|
}
|
|
}
|
|
var underlying *gorm.DB
|
|
switch {
|
|
case opts.WithVersion != nil || opts.withWhereClause != "":
|
|
var where []string
|
|
var args []interface{}
|
|
if opts.WithVersion != nil {
|
|
if *opts.WithVersion == 0 {
|
|
return NoRowsAffected, fmt.Errorf("update: with version option is zero: %w", ErrInvalidParameter)
|
|
}
|
|
if _, ok := scope.FieldByName("version"); !ok {
|
|
return NoRowsAffected, fmt.Errorf("update: %s does not have a version field", scope.TableName())
|
|
}
|
|
where, args = append(where, "version = ?"), append(args, opts.WithVersion)
|
|
}
|
|
if opts.withWhereClause != "" {
|
|
where, args = append(where, opts.withWhereClause), append(args, opts.withWhereClauseArgs...)
|
|
}
|
|
underlying = rw.underlying.Model(i).Where(strings.Join(where, " and "), args...).Updates(updateFields)
|
|
default:
|
|
underlying = rw.underlying.Model(i).Updates(updateFields)
|
|
}
|
|
if underlying.Error != nil {
|
|
if err == gorm.ErrRecordNotFound {
|
|
return NoRowsAffected, fmt.Errorf("update: failed: %w", ErrRecordNotFound)
|
|
}
|
|
return NoRowsAffected, fmt.Errorf("update: failed: %w", underlying.Error)
|
|
}
|
|
rowsUpdated := int(underlying.RowsAffected)
|
|
if rowsUpdated > 0 && (withOplog || opts.newOplogMsg != nil) {
|
|
// we don't want to change the inbound slices in opts, so we'll make our
|
|
// own copy to pass to addOplog()
|
|
oplogFieldMasks := make([]string, len(fieldMaskPaths))
|
|
copy(oplogFieldMasks, fieldMaskPaths)
|
|
oplogNullPaths := make([]string, len(setToNullPaths))
|
|
copy(oplogNullPaths, setToNullPaths)
|
|
oplogOpts := Options{
|
|
oplogOpts: opts.oplogOpts,
|
|
withOplog: opts.withOplog,
|
|
WithFieldMaskPaths: oplogFieldMasks,
|
|
WithNullPaths: oplogNullPaths,
|
|
}
|
|
if withOplog {
|
|
if err := rw.addOplog(ctx, UpdateOp, oplogOpts, ticket, i); err != nil {
|
|
return rowsUpdated, fmt.Errorf("update: add oplog failed %w", err)
|
|
}
|
|
}
|
|
if opts.newOplogMsg != nil {
|
|
msg, err := rw.newOplogMessage(ctx, UpdateOp, i, WithFieldMaskPaths(oplogFieldMasks), WithNullPaths(oplogNullPaths))
|
|
if err != nil {
|
|
return rowsUpdated, fmt.Errorf("update: returning oplog failed %w", err)
|
|
}
|
|
*opts.newOplogMsg = *msg
|
|
}
|
|
}
|
|
// we need to force a lookupAfterWrite so the resource returned is correctly initialized
|
|
// from the db
|
|
opt = append(opt, WithLookup(true))
|
|
if err := rw.lookupAfterWrite(ctx, i, opt...); err != nil {
|
|
return NoRowsAffected, fmt.Errorf("update: %w", err)
|
|
}
|
|
return rowsUpdated, nil
|
|
}
|
|
|
|
// Delete an object in the db with options: WithOplog, NewOplogMsg, WithWhere.
|
|
// WithOplog will write an oplog entry for the delete. NewOplogMsg will return
|
|
// in-memory oplog message. WithOplog and NewOplogMsg cannot be used together.
|
|
// WithWhere allows specifying a constraint. Delete returns the number of rows
|
|
// deleted and any errors.
|
|
func (rw *Db) Delete(ctx context.Context, i interface{}, opt ...Option) (int, error) {
|
|
if rw.underlying == nil {
|
|
return NoRowsAffected, fmt.Errorf("delete: missing underlying db %w", ErrInvalidParameter)
|
|
}
|
|
if isNil(i) {
|
|
return NoRowsAffected, fmt.Errorf("delete: interface is missing %w", ErrInvalidParameter)
|
|
}
|
|
opts := GetOpts(opt...)
|
|
withOplog := opts.withOplog
|
|
if withOplog && opts.newOplogMsg != nil {
|
|
return NoRowsAffected, fmt.Errorf("delete: both WithOplog and NewOplogMsg options have been specified: %w", ErrInvalidParameter)
|
|
}
|
|
// This is not a boundary scope, but rather a gorm Scope:
|
|
// https://godoc.org/github.com/jinzhu/gorm#DB.NewScope
|
|
scope := rw.underlying.NewScope(i)
|
|
if opts.withWhereClause == "" {
|
|
if scope.PrimaryKeyZero() {
|
|
return NoRowsAffected, fmt.Errorf("delete: primary key is not set")
|
|
}
|
|
}
|
|
if withOplog {
|
|
_, err := validateOplogArgs(i, opts)
|
|
if err != nil {
|
|
return NoRowsAffected, fmt.Errorf("delete: oplog validation failed %w", err)
|
|
}
|
|
}
|
|
var ticket *store.Ticket
|
|
if withOplog {
|
|
var err error
|
|
ticket, err = rw.GetTicket(i)
|
|
if err != nil {
|
|
return NoRowsAffected, fmt.Errorf("delete: unable to get ticket: %w", err)
|
|
}
|
|
}
|
|
db := rw.underlying
|
|
if opts.withWhereClause != "" {
|
|
db = db.Where(opts.withWhereClause, opts.withWhereClauseArgs...)
|
|
}
|
|
db = db.Delete(i)
|
|
if db.Error != nil {
|
|
return NoRowsAffected, fmt.Errorf("delete: failed %w", db.Error)
|
|
}
|
|
rowsDeleted := int(db.RowsAffected)
|
|
if rowsDeleted > 0 && (withOplog || opts.newOplogMsg != nil) {
|
|
if withOplog {
|
|
if err := rw.addOplog(ctx, DeleteOp, opts, ticket, i); err != nil {
|
|
return rowsDeleted, fmt.Errorf("delete: add oplog failed %w", err)
|
|
}
|
|
}
|
|
if opts.newOplogMsg != nil {
|
|
msg, err := rw.newOplogMessage(ctx, DeleteOp, i)
|
|
if err != nil {
|
|
return rowsDeleted, fmt.Errorf("delete: returning oplog failed %w", err)
|
|
}
|
|
*opts.newOplogMsg = *msg
|
|
}
|
|
}
|
|
return rowsDeleted, nil
|
|
}
|
|
|
|
// DeleteItems will delete multiple items of the same type. Supported options:
|
|
// WithOplog and WithOplogMsgs. WithOplog and WithOplogMsgs may not be used
|
|
// together.
|
|
func (rw *Db) DeleteItems(ctx context.Context, deleteItems []interface{}, opt ...Option) (int, error) {
|
|
if rw.underlying == nil {
|
|
return NoRowsAffected, fmt.Errorf("delete items: missing underlying db: %w", ErrInvalidParameter)
|
|
}
|
|
if len(deleteItems) == 0 {
|
|
return NoRowsAffected, fmt.Errorf("delete items: no interfaces to delete: %w", ErrInvalidParameter)
|
|
}
|
|
opts := GetOpts(opt...)
|
|
if opts.newOplogMsg != nil {
|
|
return NoRowsAffected, fmt.Errorf("delete items: new oplog msg (singular) is not a supported option: %w", ErrInvalidParameter)
|
|
}
|
|
if opts.withOplog && opts.newOplogMsgs != nil {
|
|
return NoRowsAffected, fmt.Errorf("delete items: both WithOplog and NewOplogMsgs options have been specified: %w", ErrInvalidParameter)
|
|
}
|
|
// verify that createItems are all the same type.
|
|
var foundType reflect.Type
|
|
for i, v := range deleteItems {
|
|
if i == 0 {
|
|
foundType = reflect.TypeOf(v)
|
|
}
|
|
currentType := reflect.TypeOf(v)
|
|
if foundType != currentType {
|
|
return NoRowsAffected, fmt.Errorf("delete items: items contain disparate types. item %d is not a %s: %w", i, foundType.Name(), ErrInvalidParameter)
|
|
}
|
|
}
|
|
|
|
var ticket *store.Ticket
|
|
if opts.withOplog {
|
|
_, err := validateOplogArgs(deleteItems[0], opts)
|
|
if err != nil {
|
|
return NoRowsAffected, fmt.Errorf("delete items: oplog validation failed: %w", err)
|
|
}
|
|
ticket, err = rw.GetTicket(deleteItems[0])
|
|
if err != nil {
|
|
return NoRowsAffected, fmt.Errorf("delete items: unable to get ticket: %w", err)
|
|
}
|
|
}
|
|
rowsDeleted := 0
|
|
for _, item := range deleteItems {
|
|
// calling delete directly on the underlying db, since the writer.Delete
|
|
// doesn't provide capabilities needed here (which is different from the
|
|
// relationship between Create and CreateItems).
|
|
underlying := rw.underlying.Delete(item)
|
|
if underlying.Error != nil {
|
|
return rowsDeleted, fmt.Errorf("delete: failed: %w", underlying.Error)
|
|
}
|
|
rowsDeleted += int(underlying.RowsAffected)
|
|
}
|
|
if rowsDeleted > 0 && (opts.withOplog || opts.newOplogMsgs != nil) {
|
|
if opts.withOplog {
|
|
if err := rw.addOplogForItems(ctx, DeleteOp, opts, ticket, deleteItems); err != nil {
|
|
return rowsDeleted, fmt.Errorf("delete items: unable to add oplog: %w", err)
|
|
}
|
|
}
|
|
if opts.newOplogMsgs != nil {
|
|
msgs, err := rw.oplogMsgsForItems(ctx, DeleteOp, opts, deleteItems)
|
|
if err != nil {
|
|
return rowsDeleted, fmt.Errorf("delete items: returning oplog msgs failed %w", err)
|
|
}
|
|
*opts.newOplogMsgs = append(*opts.newOplogMsgs, msgs...)
|
|
}
|
|
}
|
|
return rowsDeleted, nil
|
|
}
|
|
|
|
func validateOplogArgs(i interface{}, opts Options) (oplog.ReplayableMessage, error) {
|
|
oplogArgs := opts.oplogOpts
|
|
if oplogArgs.wrapper == nil {
|
|
return nil, fmt.Errorf("error no wrapper WithOplog: %w", ErrInvalidParameter)
|
|
}
|
|
if len(oplogArgs.metadata) == 0 {
|
|
return nil, fmt.Errorf("error no metadata for WithOplog: %w", ErrInvalidParameter)
|
|
}
|
|
replayable, ok := i.(oplog.ReplayableMessage)
|
|
if !ok {
|
|
return nil, errors.New("error not a replayable message for WithOplog")
|
|
}
|
|
return replayable, nil
|
|
}
|
|
|
|
func (rw *Db) getTicketFor(aggregateName string) (*store.Ticket, error) {
|
|
if rw.underlying == nil {
|
|
return nil, fmt.Errorf("get ticket for %s: underlying db missing: %w", aggregateName, ErrInvalidParameter)
|
|
}
|
|
ticketer, err := oplog.NewGormTicketer(rw.underlying, oplog.WithAggregateNames(true))
|
|
if err != nil {
|
|
return nil, fmt.Errorf("get ticket for %s: unable to get Ticketer %w", aggregateName, err)
|
|
}
|
|
ticket, err := ticketer.GetTicket(aggregateName)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("get ticket for %s: unable to get ticket %w", aggregateName, err)
|
|
}
|
|
return ticket, nil
|
|
}
|
|
|
|
// GetTicket returns an oplog ticket for the aggregate root of "i" which can
|
|
// be used to WriteOplogEntryWith for that aggregate root.
|
|
func (rw *Db) GetTicket(i interface{}) (*store.Ticket, error) {
|
|
if rw.underlying == nil {
|
|
return nil, fmt.Errorf("get ticket: underlying db missing: %w", ErrInvalidParameter)
|
|
}
|
|
if isNil(i) {
|
|
return nil, fmt.Errorf("get ticket: interface is missing %w", ErrInvalidParameter)
|
|
}
|
|
replayable, ok := i.(oplog.ReplayableMessage)
|
|
if !ok {
|
|
return nil, fmt.Errorf("get ticket: not a replayable message %w", ErrInvalidParameter)
|
|
}
|
|
return rw.getTicketFor(replayable.TableName())
|
|
}
|
|
|
|
func (rw *Db) oplogMsgsForItems(ctx context.Context, opType OpType, opts Options, items []interface{}) ([]*oplog.Message, error) {
|
|
if len(items) == 0 {
|
|
return nil, fmt.Errorf("oplog msgs for items: items is empty: %w", ErrInvalidParameter)
|
|
}
|
|
oplogMsgs := []*oplog.Message{}
|
|
var foundType reflect.Type
|
|
for i, item := range items {
|
|
if i == 0 {
|
|
foundType = reflect.TypeOf(item)
|
|
}
|
|
currentType := reflect.TypeOf(item)
|
|
if foundType != currentType {
|
|
return nil, fmt.Errorf("oplog msgs for items: items contains disparate types. item (%d) %s is not a %s: %w", i, currentType, foundType, ErrInvalidParameter)
|
|
}
|
|
msg, err := rw.newOplogMessage(ctx, opType, item, WithFieldMaskPaths(opts.WithFieldMaskPaths), WithNullPaths(opts.WithNullPaths))
|
|
if err != nil {
|
|
return nil, fmt.Errorf("oplog msgs for items: %w", err)
|
|
}
|
|
oplogMsgs = append(oplogMsgs, msg)
|
|
}
|
|
return oplogMsgs, nil
|
|
}
|
|
|
|
// addOplogForItems will add a multi-message oplog entry with one msg for each
|
|
// item. Items must all be of the same type. Only CreateOp and DeleteOp are
|
|
// currently supported operations.
|
|
func (rw *Db) addOplogForItems(ctx context.Context, opType OpType, opts Options, ticket *store.Ticket, items []interface{}) error {
|
|
oplogArgs := opts.oplogOpts
|
|
if ticket == nil {
|
|
return fmt.Errorf("oplog for items: ticket is missing: %w", ErrInvalidParameter)
|
|
}
|
|
if items == nil {
|
|
return fmt.Errorf("oplog for items: items are missing: %w", ErrInvalidParameter)
|
|
}
|
|
if len(items) == 0 {
|
|
return fmt.Errorf("oplog for items: items is empty: %w", ErrInvalidParameter)
|
|
}
|
|
if oplogArgs.metadata == nil {
|
|
return fmt.Errorf("oplog for items: metadata is missing: %w", ErrInvalidParameter)
|
|
}
|
|
if oplogArgs.wrapper == nil {
|
|
return fmt.Errorf("oplog for items: wrapper is missing: %w", ErrInvalidParameter)
|
|
}
|
|
|
|
oplogMsgs, err := rw.oplogMsgsForItems(ctx, opType, opts, items)
|
|
if err != nil {
|
|
return fmt.Errorf("oplog for items: %w", err)
|
|
}
|
|
|
|
replayable, err := validateOplogArgs(items[0], opts)
|
|
if err != nil {
|
|
return fmt.Errorf("oplog for items: oplog validation failed %w", err)
|
|
}
|
|
ticketer, err := oplog.NewGormTicketer(rw.underlying, oplog.WithAggregateNames(true))
|
|
if err != nil {
|
|
return fmt.Errorf("oplog for items: unable to get Ticketer %w", err)
|
|
}
|
|
entry, err := oplog.NewEntry(
|
|
replayable.TableName(),
|
|
oplogArgs.metadata,
|
|
oplogArgs.wrapper,
|
|
ticketer,
|
|
)
|
|
if err != nil {
|
|
return fmt.Errorf("oplog for items: unable to create oplog entry %w", err)
|
|
}
|
|
if err := entry.WriteEntryWith(
|
|
ctx,
|
|
&oplog.GormWriter{Tx: rw.underlying},
|
|
ticket,
|
|
oplogMsgs...,
|
|
); err != nil {
|
|
return fmt.Errorf("oplog for items: unable to write oplog entry %w", err)
|
|
}
|
|
return nil
|
|
}
|
|
|
|
func (rw *Db) addOplog(ctx context.Context, opType OpType, opts Options, ticket *store.Ticket, i interface{}) error {
|
|
oplogArgs := opts.oplogOpts
|
|
replayable, err := validateOplogArgs(i, opts)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
if ticket == nil {
|
|
return fmt.Errorf("add oplog: missing ticket %w", ErrInvalidParameter)
|
|
}
|
|
ticketer, err := oplog.NewGormTicketer(rw.underlying, oplog.WithAggregateNames(true))
|
|
if err != nil {
|
|
return fmt.Errorf("add oplog: unable to get Ticketer %w", err)
|
|
}
|
|
entry, err := oplog.NewEntry(
|
|
replayable.TableName(),
|
|
oplogArgs.metadata,
|
|
oplogArgs.wrapper,
|
|
ticketer,
|
|
)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
msg, err := rw.newOplogMessage(ctx, opType, i, WithFieldMaskPaths(opts.WithFieldMaskPaths), WithNullPaths(opts.WithNullPaths))
|
|
if err != nil {
|
|
return fmt.Errorf("add oplog: %w", err)
|
|
}
|
|
err = entry.WriteEntryWith(
|
|
ctx,
|
|
&oplog.GormWriter{Tx: rw.underlying},
|
|
ticket,
|
|
msg,
|
|
)
|
|
if err != nil {
|
|
return fmt.Errorf("add oplog: unable to write oplog entry: %w", err)
|
|
}
|
|
return nil
|
|
}
|
|
|
|
// WriteOplogEntryWith will write an oplog entry with the msgs provided for
|
|
// the ticket's aggregateName. No options are currently supported.
|
|
func (rw *Db) WriteOplogEntryWith(ctx context.Context, wrapper wrapping.Wrapper, ticket *store.Ticket, metadata oplog.Metadata, msgs []*oplog.Message, opt ...Option) error {
|
|
if wrapper == nil {
|
|
return fmt.Errorf("write oplog: wrapper is unset %w", ErrInvalidParameter)
|
|
}
|
|
if ticket == nil {
|
|
return fmt.Errorf("write oplog: ticket is unset %w", ErrInvalidParameter)
|
|
}
|
|
if len(msgs) == 0 {
|
|
return fmt.Errorf("write oplog: msgs are empty %w", ErrInvalidParameter)
|
|
}
|
|
if rw.underlying == nil {
|
|
return fmt.Errorf("write oplog: underlying is unset %w", ErrInvalidParameter)
|
|
}
|
|
if metadata == nil {
|
|
return fmt.Errorf("write oplog: metadata is unset %w", ErrInvalidParameter)
|
|
}
|
|
if len(metadata) == 0 {
|
|
return fmt.Errorf("write oplog: metadata is empty %w", ErrInvalidParameter)
|
|
}
|
|
|
|
ticketer, err := oplog.NewGormTicketer(rw.underlying, oplog.WithAggregateNames(true))
|
|
if err != nil {
|
|
return fmt.Errorf("write oplog: unable to get Ticketer %w", err)
|
|
}
|
|
|
|
entry, err := oplog.NewEntry(
|
|
ticket.Name,
|
|
metadata,
|
|
wrapper,
|
|
ticketer,
|
|
)
|
|
if err != nil {
|
|
return fmt.Errorf("write oplog: unable to create oplog entry: %w", err)
|
|
}
|
|
err = entry.WriteEntryWith(
|
|
ctx,
|
|
&oplog.GormWriter{Tx: rw.underlying},
|
|
ticket,
|
|
msgs...,
|
|
)
|
|
if err != nil {
|
|
return fmt.Errorf("write oplog: unable to write oplog entry: %w", err)
|
|
}
|
|
return nil
|
|
}
|
|
|
|
func (rw *Db) newOplogMessage(ctx context.Context, opType OpType, i interface{}, opt ...Option) (*oplog.Message, error) {
|
|
opts := GetOpts(opt...)
|
|
replayable, ok := i.(oplog.ReplayableMessage)
|
|
if !ok {
|
|
return nil, errors.New("error not a replayable interface")
|
|
}
|
|
msg := oplog.Message{
|
|
Message: i.(proto.Message),
|
|
TypeName: replayable.TableName(),
|
|
}
|
|
switch opType {
|
|
case CreateOp:
|
|
msg.OpType = oplog.OpType_OP_TYPE_CREATE
|
|
case UpdateOp:
|
|
msg.OpType = oplog.OpType_OP_TYPE_UPDATE
|
|
msg.FieldMaskPaths = opts.WithFieldMaskPaths
|
|
msg.SetToNullPaths = opts.WithNullPaths
|
|
case DeleteOp:
|
|
msg.OpType = oplog.OpType_OP_TYPE_DELETE
|
|
default:
|
|
return nil, fmt.Errorf("operation type %v is not supported", opType)
|
|
}
|
|
return &msg, nil
|
|
}
|
|
|
|
// DoTx will wrap the Handler func passed within a transaction with retries
|
|
// you should ensure that any objects written to the db in your TxHandler are retryable, which
|
|
// means that the object may be sent to the db several times (retried), so things like the primary key must
|
|
// be reset before retry
|
|
func (w *Db) DoTx(ctx context.Context, retries uint, backOff Backoff, Handler TxHandler) (RetryInfo, error) {
|
|
if w.underlying == nil {
|
|
return RetryInfo{}, errors.New("do underlying db is nil")
|
|
}
|
|
info := RetryInfo{}
|
|
for attempts := uint(1); ; attempts++ {
|
|
if attempts > retries+1 {
|
|
return info, fmt.Errorf("Too many retries: %d of %d", attempts-1, retries+1)
|
|
}
|
|
|
|
// step one of this, start a transaction...
|
|
newTx := w.underlying.BeginTx(ctx, nil)
|
|
|
|
rw := &Db{newTx}
|
|
if err := Handler(rw, rw); err != nil {
|
|
if err := newTx.Rollback().Error; err != nil {
|
|
return info, err
|
|
}
|
|
if errors.Is(err, oplog.ErrTicketAlreadyRedeemed) {
|
|
d := backOff.Duration(attempts)
|
|
info.Retries++
|
|
info.Backoff = info.Backoff + d
|
|
time.Sleep(d)
|
|
continue
|
|
}
|
|
return info, err
|
|
}
|
|
|
|
if err := newTx.Commit().Error; err != nil {
|
|
if err := newTx.Rollback().Error; err != nil {
|
|
return info, err
|
|
}
|
|
return info, err
|
|
}
|
|
return info, nil // it all worked!!!
|
|
}
|
|
}
|
|
|
|
// LookupByPublicId will lookup resource by its public_id or private_id, which
|
|
// must be unique. Options are ignored.
|
|
func (rw *Db) LookupById(ctx context.Context, resourceWithIder interface{}, opt ...Option) error {
|
|
if rw.underlying == nil {
|
|
return fmt.Errorf("lookup by id: underlying db nil %w", ErrInvalidParameter)
|
|
}
|
|
if reflect.ValueOf(resourceWithIder).Kind() != reflect.Ptr {
|
|
return fmt.Errorf("lookup by id: interface parameter must to be a pointer: %w", ErrInvalidParameter)
|
|
}
|
|
primaryKey, where, err := primaryKeyWhere(resourceWithIder)
|
|
if err != nil {
|
|
return fmt.Errorf("lookup by id: %w", err)
|
|
}
|
|
if err := rw.underlying.Where(where, primaryKey).First(resourceWithIder).Error; err != nil {
|
|
if err == gorm.ErrRecordNotFound {
|
|
return ErrRecordNotFound
|
|
}
|
|
return err
|
|
}
|
|
return nil
|
|
}
|
|
|
|
func primaryKeyWhere(resourceWithIder interface{}) (pkey string, w string, e error) {
|
|
var primaryKey, where string
|
|
switch resourceType := resourceWithIder.(type) {
|
|
case ResourcePublicIder:
|
|
primaryKey = resourceType.GetPublicId()
|
|
where = "public_id = ?"
|
|
case ResourcePrivateIder:
|
|
primaryKey = resourceType.GetPrivateId()
|
|
where = "private_id = ?"
|
|
default:
|
|
return "", "", fmt.Errorf("unsupported interface type %w", ErrInvalidParameter)
|
|
}
|
|
if primaryKey == "" {
|
|
return "", "", fmt.Errorf("primary key unset %w", ErrInvalidParameter)
|
|
}
|
|
return primaryKey, where, nil
|
|
}
|
|
|
|
// LookupByPublicId will lookup resource by its public_id, which must be unique.
|
|
// Options are ignored.
|
|
func (rw *Db) LookupByPublicId(ctx context.Context, resource ResourcePublicIder, opt ...Option) error {
|
|
return rw.LookupById(ctx, resource, opt...)
|
|
}
|
|
|
|
// LookupWhere will lookup the first resource using a where clause with parameters (it only returns the first one)
|
|
func (rw *Db) LookupWhere(ctx context.Context, resource interface{}, where string, args ...interface{}) error {
|
|
if rw.underlying == nil {
|
|
return errors.New("error underlying db nil for lookup by")
|
|
}
|
|
if reflect.ValueOf(resource).Kind() != reflect.Ptr {
|
|
return errors.New("error interface parameter must to be a pointer for lookup by")
|
|
}
|
|
if err := rw.underlying.Where(where, args...).First(resource).Error; err != nil {
|
|
if err == gorm.ErrRecordNotFound {
|
|
return ErrRecordNotFound
|
|
}
|
|
return err
|
|
}
|
|
return nil
|
|
}
|
|
|
|
// SearchWhere will search for all the resources it can find using a where
|
|
// clause with parameters. Supports the WithLimit option. If
|
|
// WithLimit < 0, then unlimited results are returned. If WithLimit == 0, then
|
|
// default limits are used for results. Supports the WithOrder option.
|
|
func (rw *Db) SearchWhere(ctx context.Context, resources interface{}, where string, args []interface{}, opt ...Option) error {
|
|
opts := GetOpts(opt...)
|
|
if rw.underlying == nil {
|
|
return errors.New("error underlying db nil for search by")
|
|
}
|
|
if reflect.ValueOf(resources).Kind() != reflect.Ptr {
|
|
return errors.New("error interface parameter must to be a pointer for search by")
|
|
}
|
|
var err error
|
|
db := rw.underlying.Order(opts.withOrder)
|
|
|
|
// Perform limiting
|
|
switch {
|
|
case opts.WithLimit < 0: // any negative number signals unlimited results
|
|
case opts.WithLimit == 0: // zero signals the default value and default limits
|
|
db = db.Limit(DefaultLimit)
|
|
default:
|
|
db = db.Limit(opts.WithLimit)
|
|
}
|
|
|
|
// Perform argument subst
|
|
switch len(args) {
|
|
case 0:
|
|
default:
|
|
db = db.Where(where, args...)
|
|
}
|
|
|
|
// Perform the query
|
|
err = db.Find(resources).Error
|
|
if err != nil {
|
|
// searching with a slice parameter does not return a gorm.ErrRecordNotFound
|
|
return err
|
|
}
|
|
return nil
|
|
}
|
|
|
|
// filterPaths will filter out non-updatable fields
|
|
func filterPaths(paths []string) []string {
|
|
if len(paths) == 0 {
|
|
return nil
|
|
}
|
|
filtered := []string{}
|
|
for _, p := range paths {
|
|
switch {
|
|
case strings.EqualFold(p, "CreateTime"):
|
|
continue
|
|
case strings.EqualFold(p, "UpdateTime"):
|
|
continue
|
|
case strings.EqualFold(p, "PublicId"):
|
|
continue
|
|
default:
|
|
filtered = append(filtered, p)
|
|
}
|
|
}
|
|
return filtered
|
|
}
|
|
|
|
func setFieldsToNil(i interface{}, fieldNames []string) {
|
|
if err := Clear(i, fieldNames, 2); err != nil {
|
|
// do nothing
|
|
}
|
|
}
|
|
|
|
func isNil(i interface{}) bool {
|
|
if i == nil {
|
|
return true
|
|
}
|
|
switch reflect.TypeOf(i).Kind() {
|
|
case reflect.Ptr, reflect.Map, reflect.Array, reflect.Chan, reflect.Slice:
|
|
return reflect.ValueOf(i).IsNil()
|
|
}
|
|
return false
|
|
}
|
|
|
|
func contains(ss []string, t string) bool {
|
|
for _, s := range ss {
|
|
if strings.EqualFold(s, t) {
|
|
return true
|
|
}
|
|
}
|
|
return false
|
|
}
|
|
|
|
// Clear sets fields in the value pointed to by i to their zero value.
|
|
// Clear descends i to depth clearing fields at each level. i must be a
|
|
// pointer to a struct. Cycles in i are not detected.
|
|
//
|
|
// A depth of 2 will change i and i's children. A depth of 1 will change i
|
|
// but no children of i. A depth of 0 will return with no changes to i.
|
|
func Clear(i interface{}, fields []string, depth int) error {
|
|
if len(fields) == 0 || depth == 0 {
|
|
return nil
|
|
}
|
|
fm := make(map[string]bool)
|
|
for _, f := range fields {
|
|
fm[f] = true
|
|
}
|
|
|
|
v := reflect.ValueOf(i)
|
|
|
|
switch v.Kind() {
|
|
default:
|
|
return ErrInvalidParameter
|
|
case reflect.Ptr:
|
|
if v.IsNil() || v.Elem().Kind() != reflect.Struct {
|
|
return ErrInvalidParameter
|
|
}
|
|
clear(v, fm, depth)
|
|
}
|
|
return nil
|
|
}
|
|
|
|
func clear(v reflect.Value, fields map[string]bool, depth int) {
|
|
if depth == 0 {
|
|
return
|
|
}
|
|
depth--
|
|
|
|
switch v.Kind() {
|
|
case reflect.Ptr:
|
|
clear(v.Elem(), fields, depth+1)
|
|
case reflect.Struct:
|
|
typeOfT := v.Type()
|
|
for i := 0; i < v.NumField(); i++ {
|
|
f := v.Field(i)
|
|
if ok := fields[typeOfT.Field(i).Name]; ok {
|
|
if f.IsValid() && f.CanSet() {
|
|
f.Set(reflect.Zero(f.Type()))
|
|
}
|
|
continue
|
|
}
|
|
clear(f, fields, depth)
|
|
}
|
|
}
|
|
}
|