2020-07-19 13:25:13 -07:00
|
|
|
package tests
|
|
|
|
|
|
|
|
import (
|
|
|
|
"context"
|
|
|
|
"fmt"
|
|
|
|
"time"
|
2021-06-02 20:08:19 +02:00
|
|
|
|
|
|
|
"github.com/oauth2-proxy/oauth2-proxy/v7/pkg/apis/sessions"
|
2020-07-19 13:25:13 -07:00
|
|
|
)
|
|
|
|
|
|
|
|
// entry is a MockStore cache entry with an expiration
|
|
|
|
type entry struct {
|
|
|
|
data []byte
|
|
|
|
expiration time.Duration
|
|
|
|
}
|
|
|
|
|
|
|
|
// MockStore is a generic in-memory implementation of persistence.Store
|
|
|
|
// for mocking in tests
|
|
|
|
type MockStore struct {
|
2021-06-02 20:08:19 +02:00
|
|
|
cache map[string]entry
|
|
|
|
lockCache map[string]*MockLock
|
|
|
|
elapsed time.Duration
|
2020-07-19 13:25:13 -07:00
|
|
|
}
|
|
|
|
|
|
|
|
// NewMockStore creates a MockStore
|
|
|
|
func NewMockStore() *MockStore {
|
|
|
|
return &MockStore{
|
2021-06-02 20:08:19 +02:00
|
|
|
cache: map[string]entry{},
|
|
|
|
lockCache: map[string]*MockLock{},
|
|
|
|
elapsed: 0 * time.Second,
|
2020-07-19 13:25:13 -07:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// Save sets a key to the data to the memory cache
|
|
|
|
func (s *MockStore) Save(_ context.Context, key string, value []byte, exp time.Duration) error {
|
|
|
|
s.cache[key] = entry{
|
|
|
|
data: value,
|
|
|
|
expiration: exp,
|
|
|
|
}
|
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Load gets data from the memory cache via a key
|
|
|
|
func (s *MockStore) Load(_ context.Context, key string) ([]byte, error) {
|
|
|
|
entry, ok := s.cache[key]
|
|
|
|
if !ok || entry.expiration <= s.elapsed {
|
|
|
|
delete(s.cache, key)
|
|
|
|
return nil, fmt.Errorf("key not found: %s", key)
|
|
|
|
}
|
|
|
|
return entry.data, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Clear deletes an entry from the memory cache
|
|
|
|
func (s *MockStore) Clear(_ context.Context, key string) error {
|
|
|
|
delete(s.cache, key)
|
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
2021-06-02 20:08:19 +02:00
|
|
|
func (s *MockStore) Lock(key string) sessions.Lock {
|
|
|
|
if s.lockCache[key] != nil {
|
|
|
|
return s.lockCache[key]
|
|
|
|
}
|
|
|
|
lock := &MockLock{}
|
|
|
|
s.lockCache[key] = lock
|
|
|
|
return lock
|
|
|
|
}
|
|
|
|
|
2022-12-23 11:08:12 +02:00
|
|
|
func (s *MockStore) VerifyConnection(_ context.Context) error {
|
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
2020-07-19 13:25:13 -07:00
|
|
|
// FastForward simulates the flow of time to test expirations
|
|
|
|
func (s *MockStore) FastForward(duration time.Duration) {
|
2021-06-02 20:08:19 +02:00
|
|
|
for _, mockLock := range s.lockCache {
|
|
|
|
mockLock.FastForward(duration)
|
|
|
|
}
|
2020-07-19 13:25:13 -07:00
|
|
|
s.elapsed += duration
|
|
|
|
}
|