Documentation
¶
Overview ¶
Package sqlflow provides a SQLite-backed storage layer built on top of database/sql. It wraps SQLite in WAL mode with separate read and write connections, serialised writes, and exponential-backoff retry logic.
The two main abstractions are:
DB[Queries]: a single SQLite database whose per-transaction accessor is Queries. Use GetDB to open (or create) a file, or TestDB for an in-memory database in tests.
Pool[Queries]: a per-key connection pool where each key (e.g. a user ID) maps to its own SQLite file on disk. Connections are cached in a ristretto TinyLFU cache and closed gracefully when evicted. Use NewPool to create one, or TestPool in tests.
All database access goes through Read and Write methods, that manage the transaction for the callers.
Both types have encrypted variants: use GetEncryptedDB and NewEncryptedPool instead of their plain counterparts. The jgiannuzzi fork of go-sqlite3 applies PRAGMA key via the DSN before any other pragmas.
Migrations are decoupled from the core: pass migrators.Goose(fsys) as an Option to run goose-based schema migrations on open, or implement your own OnOpen hook for any other migration tool.
Index ¶
- Variables
- func NoRows(err error) bool
- type Config
- type DB
- func GetDB[Queries any](dbName string, querier Querier[Queries], opts ...Option[Queries]) (*DB[Queries], error)
- func GetEncryptedDB[Queries any](dbName string, querier Querier[Queries], key []byte, opts ...Option[Queries]) (*DB[Queries], error)
- func TestDB[Queries any](querier Querier[Queries], opts ...Option[Queries]) *DB[Queries]
- type DBTX
- type Option
- type Pool
- func NewEncryptedPool[Queries any](dir string, querier Querier[Queries], maxCached int64, ...) (*Pool[Queries], error)
- func NewPool[Queries any](dir string, querier Querier[Queries], maxCached int64, ...) (*Pool[Queries], error)
- func TestPool[Queries any](dir string, querier Querier[Queries], opts ...PoolOption[Queries]) *Pool[Queries]
- func (p *Pool[Queries]) Close() error
- func (p *Pool[Queries]) Evict(userID string)
- func (p *Pool[Queries]) ListKeys() ([]string, error)
- func (p *Pool[Queries]) Read(ctx context.Context, key string, f func(*Queries) error) error
- func (p *Pool[Queries]) Wait()
- func (p *Pool[Queries]) Write(ctx context.Context, key string, f func(*Queries) error) error
- type PoolConfig
- type PoolOption
- type Querier
Constants ¶
This section is empty.
Variables ¶
var ErrKeyNotAvailable = errors.New("data key not available")
ErrKeyNotAvailable is returned by an encrypted Pool when the data key for a user is not in the in-memory key store.
Functions ¶
Types ¶
type Config ¶ added in v0.2.0
type Config[Q any] struct { // OnOpenFn is called with the database file path and the live write // connection after all connections are established. A non-nil return aborts // the open and closes the connections. OnOpenFn func(path string, db *sql.DB) error // OnCloseFn is called exactly once when the DB is closed. OnCloseFn func() }
Config holds the per-DB lifecycle callbacks assembled from Option[Q] values. Multiple OnOpen / OnClose options registered on the same DB are chained in registration order.
type DB ¶
type DB[Queries any] struct { // contains filtered or unexported fields }
DB is a SQLite database handle parameterised by a per-transaction accessor type Queries. It maintains two underlying sql.DB connections:
- wrdb: a single write connection (MaxOpenConns=1) with _txlock=immediate, serialised by a mutex so that only one writer can hold the SQLite WAL write lock at a time.
- rddb: an unbounded pool of read connections with _txlock=deferred, allowing concurrent readers to proceed without blocking writers.
Every operation runs inside a transaction. Write calls retry on transient SQLite busy errors using exponential backoff; Read calls retry indefinitely until the context is cancelled.
func GetDB ¶
func GetDB[Queries any](dbName string, querier Querier[Queries], opts ...Option[Queries]) (*DB[Queries], error)
GetDB opens (or creates) the SQLite database at dbName and returns an open DB. Pass migrators.Goose(fsys) as an option to run schema migrations.
func GetEncryptedDB ¶
func GetEncryptedDB[Queries any](dbName string, querier Querier[Queries], key []byte, opts ...Option[Queries]) (*DB[Queries], error)
GetEncryptedDB opens (or creates) the SQLCipher-encrypted SQLite database at dbName and returns an open DB. Pass migrators.Goose(fsys) as an option to run schema migrations.
func TestDB ¶
TestDB creates an in-memory SQLite database and returns a DB ready for use in tests. Pass migrators.Goose(fsys) as an option to apply schema migrations.
Panics on any error so test setup stays concise.
func (*DB[Queries]) Checkpoint ¶
Checkpoint runs PRAGMA wal_checkpoint(TRUNCATE) under the write mutex. WAL frames are moved into the main database file and, if all readers are done, the WAL file is reset to zero size.
func (*DB[Queries]) Close ¶
Close calls the OnClose hook (if any) exactly once, then closes both the read and write database connections. It waits for any in-flight operations to complete before returning.
func (*DB[Queries]) Read ¶
Read executes f inside a read-only deferred transaction. It retries on transient SQLite busy errors using exponential backoff until ctx is cancelled. Errors returned by f are treated as permanent and not retried.
func (*DB[Queries]) Write ¶
Write executes f inside an immediate (exclusive) transaction under the write mutex. It retries on transient SQLite busy errors up to backoffRetries times with exponential backoff. Errors returned by f are treated as permanent and cause an immediate rollback with no retry.
type DBTX ¶
type DBTX interface {
ExecContext(context.Context, string, ...any) (sql.Result, error)
PrepareContext(context.Context, string) (*sql.Stmt, error)
QueryContext(context.Context, string, ...any) (*sql.Rows, error)
QueryRowContext(context.Context, string, ...any) *sql.Row
}
DBTX is the interface satisfied by both *sql.DB and *sql.Tx, allowing the same accessor type to be used within or outside a transaction.
type Option ¶ added in v0.2.0
Option is a functional option that configures a DB instance. Passing no options is always valid.
func OnClose ¶ added in v0.2.0
OnClose registers fn to be called after both database connections are closed. Multiple OnClose options chain in registration order. fn fires at most once even if Close is called multiple times. Use OnClose to release resources tied to this DB's lifetime (e.g. lock files).
func OnOpen ¶ added in v0.2.0
OnOpen registers fn to be called with the database file path and the live write connection once all connections are established and the DB is ready for use. If fn returns a non-nil error, the connections are closed and the error is propagated from the constructor.
Multiple OnOpen options chain: each fn runs in registration order. For in-memory databases created by TestDB the path is ":memory:".
type Pool ¶
type Pool[Queries any] struct { // contains filtered or unexported fields }
Pool is a per-key connection pool backed by a ristretto cache with TinyLFU eviction. Each key (e.g. user ID) gets its own SQLite database file under dir. When the cache evicts an entry, its DB is closed only after all in-flight operations finish (reference-counted via poolEntry).
func NewEncryptedPool ¶
func NewEncryptedPool[Queries any]( dir string, querier Querier[Queries], maxCached int64, keyProvider func(string) ([]byte, bool), inactivityTimeout time.Duration, opts ...PoolOption[Queries], ) (*Pool[Queries], error)
NewEncryptedPool creates a Pool where each database is encrypted with SQLCipher. keyProvider is called with the pool key (e.g. user ID) each time a database is opened; it must return the 32-byte encryption key and true, or false if the key is unavailable (causing Read/Write to return ErrKeyNotAvailable). Migration for encrypted databases is lazy: it runs on first open when the data key is available.
func NewPool ¶
func NewPool[Queries any]( dir string, querier Querier[Queries], maxCached int64, inactivityTimeout time.Duration, opts ...PoolOption[Queries], ) (*Pool[Queries], error)
NewPool creates a plain (unencrypted) Pool backed by on-disk SQLite databases. maxCached controls the maximum number of open databases kept in the cache (minimum 1000). inactivityTimeout, if > 0, starts a background reaper that evicts entries idle for longer than the timeout; pass 0 to disable. Pass options.WithDBFactory(func() []Option[Q]{migrators.Goose(fsys)}) to apply schema migrations on first open.
func TestPool ¶
func TestPool[Queries any](dir string, querier Querier[Queries], opts ...PoolOption[Queries]) *Pool[Queries]
TestPool returns a plain pool backed by dir for tests. Panics on error, matching the TestDB convention.
func (*Pool[Queries]) Close ¶
Close stops the inactivity reaper and closes all cached databases. sql.DB.Close waits for in-flight operations to finish, so this blocks until everything drains.
func (*Pool[Queries]) Evict ¶
Evict immediately removes the pool entry for userID from the cache, closing the database once all in-flight operations finish. No-op if the entry is not cached.
func (*Pool[Queries]) ListKeys ¶
ListKeys returns the key (user ID) for every database file in the pool directory. The returned slice is sorted by filesystem order.
func (*Pool[Queries]) Read ¶
Read acquires the database for key and executes f inside a read-only deferred transaction. The pool entry's reference count is held for the duration so the database is not closed while f is running.
func (*Pool[Queries]) Wait ¶
func (p *Pool[Queries]) Wait()
Wait blocks until all pending cache evictions have been processed.
type PoolConfig ¶ added in v0.2.0
type PoolConfig[Q any] struct { // DBFactory is called once per new pool entry to produce a fresh, // independent set of DB options. DBFactory func() []Option[Q] }
PoolConfig holds pool-level options assembled from PoolOption[Q] values.
type PoolOption ¶ added in v0.2.0
type PoolOption[Q any] func(*PoolConfig[Q])
PoolOption is a functional option that configures a Pool instance at construction time.
func WithDBFactory ¶ added in v0.2.0
func WithDBFactory[Q any](factory func() []Option[Q]) PoolOption[Q]
WithDBFactory registers a factory that the Pool calls once for each new database entry to produce a fresh, independent set of DB options. Use a factory (rather than a fixed []Option[Q]) so that each opened database gets its own closure state (e.g. its own OS lock-file handle or migrator).
The factory must return new closures on every invocation; sharing closure state across factory calls will cause data races.