Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Less aborted txns #1551

Merged
merged 2 commits into from
Jul 12, 2019
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
240 changes: 240 additions & 0 deletions internal/storage/mock/mock.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,240 @@
// Copyright 2019 The OPA Authors. All rights reserved.
// Use of this source code is governed by an Apache2
// license that can be found in the LICENSE file.

// Package mock defines a fake storage implementation for use in testing.
package mock

import (
"context"
"fmt"
"github.com/open-policy-agent/opa/ast"
"github.com/open-policy-agent/opa/storage"
"github.com/open-policy-agent/opa/storage/inmem"
"testing"
)

// Transaction is a mock storage.Transaction implementation for use in testing.
// It uses an internal storage.Transaction pointer with some added functionality.
type Transaction struct {
txn storage.Transaction
Committed int
Aborted int
}

// ID returns the underlying transaction ID
func (t *Transaction) ID() uint64 {
return t.txn.ID()
}

// Validate returns an error if the transaction is in an invalid state
func (t *Transaction) Validate() error {
if t.Committed > 1 {
return fmt.Errorf("transaction %d has too many commits (%d)", t.ID(), t.Committed)
}
if t.Aborted > 1 {
return fmt.Errorf("transaction %d has too many aborts (%d)", t.ID(), t.Committed)
}
return nil
}

func (t *Transaction) safeToUse() bool {
return t.Committed == 0 && t.Aborted == 0
}

// Store is a mock storage.Store implementation for use in testing.
type Store struct {
inmem storage.Store
Transactions []*Transaction
Reads []*ReadCall
Writes []*WriteCall
}

// ReadCall captures the parameters for a Read call
type ReadCall struct {
Transaction *Transaction
Path storage.Path
Error error
Safe bool
}

// WriteCall captures the parameters for a write call
type WriteCall struct {
Transaction *Transaction
Op storage.PatchOp
Path storage.Path
Error error
Safe bool
}

// New creates a new mock Store
func New() *Store {
s := &Store{}
s.Reset()
return s
}

// Reset the store
func (s *Store) Reset() {
s.Transactions = []*Transaction{}
s.Reads = []*ReadCall{}
s.Writes = []*WriteCall{}
s.inmem = inmem.New()
}

// GetTransaction will a transaction with a specific ID
// that was associated with this Store.
func (s *Store) GetTransaction(id uint64) *Transaction {
for _, txn := range s.Transactions {
if txn.ID() == id {
return txn
}
}
return nil
}

// Errors retuns a list of errors for each invalid state found.
// If any Transactions are invalid or reads/writes were
// unsafe an error will be returned for each problem.
func (s *Store) Errors() []error {
var errs []error
for _, txn := range s.Transactions {
err := txn.Validate()
if err != nil {
errs = append(errs, err)
}
}

for _, read := range s.Reads {
if !read.Safe {
errs = append(errs, fmt.Errorf("unsafe Read call %+v", *read))
}
}

for _, write := range s.Writes {
if !write.Safe {
errs = append(errs, fmt.Errorf("unsafe Write call %+v", *write))
}
}

return errs
}

// AssertValid will raise an error with the provided testing.T if
// there are any errors on the store.
func (s *Store) AssertValid(t *testing.T) {
t.Helper()
for _, err := range s.Errors() {
t.Errorf("Error detected on store: %s", err)
}
}

// storage.Store interface implementation

// Register just shims the call to the underlying inmem store
func (s *Store) Register(ctx context.Context, txn storage.Transaction, config storage.TriggerConfig) (storage.TriggerHandle, error) {
return s.inmem.Register(ctx, txn, config)
}

// ListPolicies just shims the call to the underlying inmem store
func (s *Store) ListPolicies(ctx context.Context, txn storage.Transaction) ([]string, error) {
return s.ListPolicies(ctx, txn)
}

// GetPolicy just shims the call to the underlying inmem store
func (s *Store) GetPolicy(ctx context.Context, txn storage.Transaction, name string) ([]byte, error) {
return s.inmem.GetPolicy(ctx, txn, name)
}

// UpsertPolicy just shims the call to the underlying inmem store
func (s *Store) UpsertPolicy(ctx context.Context, txn storage.Transaction, name string, policy []byte) error {
return s.inmem.UpsertPolicy(ctx, txn, name, policy)
}

// DeletePolicy just shims the call to the underlying inmem store
func (s *Store) DeletePolicy(ctx context.Context, txn storage.Transaction, name string) error {
return s.inmem.DeletePolicy(ctx, txn, name)
}

// Build just shims the call to the underlying inmem store
func (s *Store) Build(ctx context.Context, txn storage.Transaction, ref ast.Ref) (storage.Index, error) {
return s.inmem.Build(ctx, txn, ref)
}

// NewTransaction will create a new transaction on the underlying inmem store
// but wraps it with a mock Transaction. These are then tracked on the store.
func (s *Store) NewTransaction(ctx context.Context, params ...storage.TransactionParams) (storage.Transaction, error) {
realTxn, err := s.inmem.NewTransaction(ctx, params...)
if err != nil {
return nil, err
}
txn := &Transaction{
txn: realTxn,
Committed: 0,
Aborted: 0,
}
s.Transactions = append(s.Transactions, txn)
return txn, nil
}

// Read will make a read from the underlying inmem store and
// add a new entry to the mock store Reads list. If there
// is an error are the read is unsafe it will be noted in
// the ReadCall.
func (s *Store) Read(ctx context.Context, txn storage.Transaction, path storage.Path) (interface{}, error) {
mockTxn := txn.(*Transaction)

data, err := s.inmem.Read(ctx, mockTxn.txn, path)

s.Reads = append(s.Reads, &ReadCall{
Transaction: mockTxn,
Path: path,
Error: err,
Safe: mockTxn.safeToUse(),
})

return data, err
}

// Write will make a read from the underlying inmem store and
// add a new entry to the mock store Writes list. If there
// is an error are the write is unsafe it will be noted in
// the WriteCall.
func (s *Store) Write(ctx context.Context, txn storage.Transaction, op storage.PatchOp, path storage.Path, value interface{}) error {
mockTxn := txn.(*Transaction)

err := s.inmem.Write(ctx, mockTxn.txn, op, path, value)

s.Writes = append(s.Writes, &WriteCall{
Transaction: mockTxn,
Op: op,
Path: path,
Error: err,
Safe: mockTxn.safeToUse(),
})

return nil
}

// Commit will commit the underlying transaction while
// also updating the mock Transaction
func (s *Store) Commit(ctx context.Context, txn storage.Transaction) error {
mockTxn := txn.(*Transaction)

err := s.inmem.Commit(ctx, mockTxn.txn)
if err != nil {
return err
}

mockTxn.Committed++
return nil
}

// Abort will abort the underlying transaction while
// also updating the mock Transaction
func (s *Store) Abort(ctx context.Context, txn storage.Transaction) {
mockTxn := txn.(*Transaction)
s.inmem.Abort(ctx, mockTxn.txn)
mockTxn.Aborted++
return
}
7 changes: 6 additions & 1 deletion plugins/logs/plugin.go
Original file line number Diff line number Diff line change
Expand Up @@ -493,7 +493,12 @@ func (p *Plugin) maskEvent(ctx context.Context, txn storage.Transaction, event *
return err
}

rs, err := p.mask.Eval(ctx, rego.EvalInput(event))
rs, err := p.mask.Eval(
ctx,
rego.EvalInput(event),
rego.EvalTransaction(txn),
)

if err != nil {
return err
} else if len(rs) == 0 {
Expand Down
37 changes: 26 additions & 11 deletions rego/rego.go
Original file line number Diff line number Diff line change
Expand Up @@ -166,13 +166,17 @@ func EvalParsedUnknowns(unknowns []*ast.Term) EvalOption {
}
}

func (pq preparedQuery) newEvalContext(ctx context.Context, options []EvalOption) (*EvalContext, error) {
// newEvalContext creates a new EvalContext overlaying any EvalOptions over top
// the Rego object on the preparedQuery. The returned function should be called
// once the evaluation is complete to close any transactions that might have
// been opened.
func (pq preparedQuery) newEvalContext(ctx context.Context, options []EvalOption) (*EvalContext, func(context.Context), error) {
ectx := &EvalContext{
hasInput: false,
rawInput: nil,
parsedInput: nil,
metrics: pq.r.metrics,
txn: pq.r.txn,
txn: nil,
instrument: pq.r.instrument,
instrumentation: pq.r.instrumentation,
partialNamespace: pq.r.partialNamespace,
Expand All @@ -190,18 +194,23 @@ func (pq preparedQuery) newEvalContext(ctx context.Context, options []EvalOption
ectx.instrumentation = topdown.NewInstrumentation(ectx.metrics)
}

// Default to an empty "finish" function
finishFunc := func(context.Context) {}

var err error
ectx.disableInlining, err = parseStringsToRefs(pq.r.disableInlining)
if err != nil {
return nil, err
return nil, finishFunc, err
}

if ectx.txn == nil {
ectx.txn, err = pq.r.store.NewTransaction(ctx)
if err != nil {
return nil, err
return nil, finishFunc, err
}
finishFunc = func(ctx context.Context) {
pq.r.store.Abort(ctx, ectx.txn)
}
defer pq.r.store.Abort(ctx, ectx.txn)
}

// If we didn't get an input specified in the Eval options
Expand All @@ -219,11 +228,11 @@ func (pq preparedQuery) newEvalContext(ctx context.Context, options []EvalOption
}
ectx.parsedInput, err = pq.r.parseRawInput(ectx.rawInput, ectx.metrics)
if err != nil {
return nil, err
return nil, finishFunc, err
}
}

return ectx, nil
return ectx, finishFunc, nil
}

// PreparedEvalQuery holds the prepared Rego state that has been pre-processed
Expand All @@ -235,11 +244,14 @@ type PreparedEvalQuery struct {
// Eval evaluates this PartialResult's Rego object with additional eval options
// and returns a ResultSet.
// If options are provided they will override the original Rego options respective value.
// The original Rego object transaction will *not* be re-used. A new transaction will be opened
// if one is not provided with an EvalOption.
func (pq PreparedEvalQuery) Eval(ctx context.Context, options ...EvalOption) (ResultSet, error) {
ectx, err := pq.newEvalContext(ctx, options)
ectx, finish, err := pq.newEvalContext(ctx, options)
if err != nil {
return nil, err
}
defer finish(ctx)

ectx.compiledQuery = pq.r.compiledQueries[evalQueryType]

Expand All @@ -253,11 +265,14 @@ type PreparedPartialQuery struct {
}

// Partial runs partial evaluation on the prepared query and returns the result.
// The original Rego object transaction will *not* be re-used. A new transaction will be opened
// if one is not provided with an EvalOption.
func (pq PreparedPartialQuery) Partial(ctx context.Context, options ...EvalOption) (*PartialQueries, error) {
ectx, err := pq.newEvalContext(ctx, options)
ectx, finish, err := pq.newEvalContext(ctx, options)
if err != nil {
return nil, err
}
defer finish(ctx)

ectx.compiledQuery = pq.r.compiledQueries[partialQueryType]

Expand Down Expand Up @@ -644,7 +659,7 @@ func (r *Rego) Eval(ctx context.Context) (ResultSet, error) {
return nil, err
}

return pq.Eval(ctx)
return pq.Eval(ctx, EvalTransaction(r.txn))
}

// PartialEval has been deprecated and renamed to PartialResult.
Expand Down Expand Up @@ -693,7 +708,7 @@ func (r *Rego) Partial(ctx context.Context) (*PartialQueries, error) {
return nil, err
}

return pq.Partial(ctx)
return pq.Partial(ctx, EvalTransaction(r.txn))
}

// CompileOption defines a function to set options on Compile calls.
Expand Down
Loading