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, D]: a single SQLite database whose per-transaction accessor is Queries. Use OpenDB to open (or create) a file, or TestDB for an in-memory database in tests.
Pool[Queries, D]: 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 OpenEncryptedDB and NewEncryptedPool instead of their plain counterparts. Encryption requires the jgiannuzzi fork of mattn/go-sqlite3 with SQLCipher support and the mattn driver sub-package.
sqlflow has no built-in driver dependency. Import one of the driver sub-packages to register a SQLite driver and receive a ready-to-use Option:
import "github.com/avalonbits/sqlflow/drivers/mattn" // mattn (CGo, encryption) import "github.com/avalonbits/sqlflow/drivers/modernc" // modernc (pure Go) import "github.com/avalonbits/sqlflow/drivers/ncruces" // ncruces (WebAssembly)
A driver option is required. Use one of the drivers/* sub-packages which register the driver and provide a ready-to-use Option in a single import.
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 DB
- func OpenDB[Queries any, D DBTX](dbName string, querier Querier[Queries, D], opts ...Option) (*DB[Queries, D], error)
- func OpenEncryptedDB[Queries any, D DBTX](dbName string, querier Querier[Queries, D], key []byte, opts ...Option) (*DB[Queries, D], error)
- func TestDB[Queries any, D DBTX](querier Querier[Queries, D], opts ...Option) *DB[Queries, D]
- type DBTX
- type Option
- type Pool
- func NewEncryptedPool[Queries any, D DBTX](dir string, querier Querier[Queries, D], maxCached int64, ...) (*Pool[Queries, D], error)
- func NewPool[Queries any, D DBTX](dir string, querier Querier[Queries, D], maxCached int64, opts ...Option) (*Pool[Queries, D], error)
- func TestPool[Queries any, D DBTX](dir string, querier Querier[Queries, D], opts ...Option) *Pool[Queries, D]
- func (p *Pool[Queries, D]) Close() error
- func (p *Pool[Queries, D]) Evict(userID string)
- func (p *Pool[Queries, D]) ListKeys() ([]string, error)
- func (p *Pool[Queries, D]) Read(ctx context.Context, key string, f func(*Queries) error) error
- func (p *Pool[Queries, D]) SetInactivityTimeout(d time.Duration)
- func (p *Pool[Queries, D]) Wait()
- func (p *Pool[Queries, D]) Write(ctx context.Context, key string, f func(*Queries) error) error
- type Querier
Examples ¶
Constants ¶
This section is empty.
Variables ¶
var ErrEncryptionNotSupported = errors.New(
"encryption requires a SQLCipher-enabled driver; " +
"use the jgiannuzzi fork of mattn/go-sqlite3 with WithDriver(sqlflow.MattnDriver)",
)
ErrEncryptionNotSupported is returned by OpenEncryptedDB and NewEncryptedPool when the active driver does not support SQLCipher encryption. Use the jgiannuzzi fork of mattn/go-sqlite3 and pass WithDriver(MattnDriver).
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 DB ¶
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 OpenDB ¶
func OpenDB[Queries any, D DBTX](dbName string, querier Querier[Queries, D], opts ...Option) (*DB[Queries, D], error)
OpenDB opens (or creates) the SQLite database at dbName and returns an open DB. Pass migrators.Goose(fsys) as an option to run schema migrations.
Example ¶
package main
import (
"context"
"fmt"
"log"
"os"
"testing/fstest"
"github.com/avalonbits/sqlflow"
"github.com/avalonbits/sqlflow/drivers/mattn"
"github.com/avalonbits/sqlflow/migrators"
)
// migrations is an in-memory goose migration set. In production use
// //go:embed with fs.Sub, or os.DirFS, to point at real .sql files.
var exampleMigrations = fstest.MapFS{
"001_init.sql": {
Data: []byte(`
-- +goose Up
CREATE TABLE IF NOT EXISTS kv (key TEXT PRIMARY KEY, val TEXT NOT NULL);
-- +goose Down
DROP TABLE kv;
`),
},
}
// kvStore wraps a DBTX to provide typed query methods for the kv table.
type kvStore struct{ db sqlflow.DBTX }
// newKVStore is a sqlflow.Querier: sqlflow calls it with the transaction's
// connection so every method on kvStore automatically runs within that
// transaction — no connection is ever passed around manually.
func newKVStore(db sqlflow.DBTX) *kvStore { return &kvStore{db: db} }
func (s *kvStore) Set(ctx context.Context, key, val string) error {
_, err := s.db.ExecContext(ctx,
`INSERT INTO kv(key,val) VALUES(?,?) ON CONFLICT(key) DO UPDATE SET val=excluded.val`,
key, val)
return err
}
func (s *kvStore) Get(ctx context.Context, key string) (string, error) {
var val string
err := s.db.QueryRowContext(ctx, `SELECT val FROM kv WHERE key=?`, key).Scan(&val)
return val, err
}
func main() {
path := "/tmp/sqlflow_example.db"
os.Remove(path)
db, err := sqlflow.OpenDB(
path,
newKVStore,
mattn.Driver,
migrators.Goose(exampleMigrations),
)
if err != nil {
log.Fatal(err)
}
defer db.Close()
ctx := context.Background()
if err := db.Write(ctx, func(s *kvStore) error {
return s.Set(ctx, "hello", "world")
}); err != nil {
log.Fatal(err)
}
var val string
if err := db.Read(ctx, func(s *kvStore) error {
var err error
val, err = s.Get(ctx, "hello")
return err
}); err != nil {
log.Fatal(err)
}
fmt.Println(val)
}
Output: world
func OpenEncryptedDB ¶
func OpenEncryptedDB[Queries any, D DBTX](dbName string, querier Querier[Queries, D], key []byte, opts ...Option) (*DB[Queries, D], error)
OpenEncryptedDB 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.
Encryption requires a SQLCipher-enabled driver. Use the jgiannuzzi fork of mattn/go-sqlite3 with WithDriver(MattnDriver) (the default). Other drivers return ErrEncryptionNotSupported.
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, D]) 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, D]) 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, D]) 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, D]) 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
type Option struct {
// contains filtered or unexported fields
}
Option carries configuration for a DB or Pool instance. Construct one with OnOpen, OnClose, WithDSNParams, WithPragma, or WithDriver; 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. fn receives the database file path and the (now-closed) write connection. Multiple OnClose options run 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 run in registration order. For in-memory databases created by TestDB the path is ":memory:".
func WithDSNParams ¶ added in v0.7.0
WithDSNParams adds extra SQLite DSN parameters to every connection opened by this DB or Pool. The _txlock and _journal parameters are always controlled by sqlflow and cannot be overridden. All other parameters — including _sync, _busy_timeout, and _cache_size — take the value from the last WithDSNParams option that sets them, overriding sqlflow's defaults. The _key and _cipher parameters are silently ignored; use OpenEncryptedDB or NewEncryptedPool for encrypted databases.
params is a URL query string, e.g. "_foreign_keys=1&_cache_size=50000". This option is driver-specific: mattn uses flat params (_foreign_keys=1) while modernc and ncruces use _pragma format (_pragma=foreign_keys(1)). Use WithPragma for a portable alternative that works with all drivers.
func WithDriver ¶ added in v1.0.0
WithDriver selects the SQLite driver used by this DB or Pool. A driver option is required. Prefer the driver sub-packages (drivers/mattn, drivers/modernc, drivers/ncruces) which register the driver and provide a ready-to-use Option in a single import.
func WithPragma ¶ added in v1.0.0
WithPragma sets a SQLite PRAGMA on every connection opened by this DB or Pool. It works with all supported drivers regardless of their DSN format — mattn renders it as _name=value; modernc and ncruces render it as _pragma=name(value).
The journal_mode PRAGMA is always controlled by sqlflow and cannot be overridden via WithPragma.
type Pool ¶
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, D DBTX]( dir string, querier Querier[Queries, D], maxCached int64, keyProvider func(string) ([]byte, bool), opts ...Option, ) (*Pool[Queries, D], 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). opts are applied to every database opened by the pool. Call SetInactivityTimeout to enable the background eviction reaper.
Encryption requires a SQLCipher-enabled driver. Use the jgiannuzzi fork of mattn/go-sqlite3 with the drivers/mattn sub-package. Other drivers return ErrEncryptionNotSupported when the first database is opened.
func NewPool ¶
func NewPool[Queries any, D DBTX]( dir string, querier Querier[Queries, D], maxCached int64, opts ...Option, ) (*Pool[Queries, D], 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). opts are applied to every database opened by the pool. Call SetInactivityTimeout to enable the background eviction reaper.
Example ¶
package main
import (
"context"
"fmt"
"log"
"os"
"testing/fstest"
"github.com/avalonbits/sqlflow"
"github.com/avalonbits/sqlflow/drivers/mattn"
"github.com/avalonbits/sqlflow/migrators"
)
// migrations is an in-memory goose migration set. In production use
// //go:embed with fs.Sub, or os.DirFS, to point at real .sql files.
var exampleMigrations = fstest.MapFS{
"001_init.sql": {
Data: []byte(`
-- +goose Up
CREATE TABLE IF NOT EXISTS kv (key TEXT PRIMARY KEY, val TEXT NOT NULL);
-- +goose Down
DROP TABLE kv;
`),
},
}
// kvStore wraps a DBTX to provide typed query methods for the kv table.
type kvStore struct{ db sqlflow.DBTX }
// newKVStore is a sqlflow.Querier: sqlflow calls it with the transaction's
// connection so every method on kvStore automatically runs within that
// transaction — no connection is ever passed around manually.
func newKVStore(db sqlflow.DBTX) *kvStore { return &kvStore{db: db} }
func (s *kvStore) Set(ctx context.Context, key, val string) error {
_, err := s.db.ExecContext(ctx,
`INSERT INTO kv(key,val) VALUES(?,?) ON CONFLICT(key) DO UPDATE SET val=excluded.val`,
key, val)
return err
}
func (s *kvStore) Get(ctx context.Context, key string) (string, error) {
var val string
err := s.db.QueryRowContext(ctx, `SELECT val FROM kv WHERE key=?`, key).Scan(&val)
return val, err
}
func main() {
dir, err := os.MkdirTemp("", "sqlflow_pool_example")
if err != nil {
log.Fatal(err)
}
defer os.RemoveAll(dir)
pool, err := sqlflow.NewPool(
dir,
newKVStore,
1_000,
mattn.Driver,
migrators.Goose(exampleMigrations),
)
if err != nil {
log.Fatal(err)
}
defer pool.Close()
ctx := context.Background()
if err := pool.Write(ctx, "alice", func(s *kvStore) error {
return s.Set(ctx, "hello", "world")
}); err != nil {
log.Fatal(err)
}
var val string
if err := pool.Read(ctx, "alice", func(s *kvStore) error {
var err error
val, err = s.Get(ctx, "hello")
return err
}); err != nil {
log.Fatal(err)
}
fmt.Println(val)
}
Output: world
func TestPool ¶
func TestPool[Queries any, D DBTX](dir string, querier Querier[Queries, D], opts ...Option) *Pool[Queries, D]
TestPool returns a plain pool backed by dir for tests. Panics on error, matching the TestDB convention.
func (*Pool[Queries, D]) 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, D]) 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, D]) 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, D]) 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, D]) SetInactivityTimeout ¶ added in v0.6.0
SetInactivityTimeout starts a background reaper that evicts pool entries that have been idle for longer than d. Calling it again cancels the previous reaper and starts a new one with the updated duration. Pass 0 to stop the reaper without starting a new one.
func (*Pool[Queries, D]) Wait ¶
func (p *Pool[Queries, D]) Wait()
Wait blocks until all pending cache evictions have been processed.
type Querier ¶
Querier is a function that builds a per-transaction accessor of type Queries from a D. It is called once per transaction inside Read and Write.
D is the concrete DBTX type accepted by the accessor constructor — typically sqlflow.DBTX for hand-written code, or the package-local DBTX generated by sqlc. Using the package-local type lets you pass sqlc-generated New functions directly without any adapter wrapper.
Directories
¶
| Path | Synopsis |
|---|---|
|
Package drivers defines the Config type that sqlflow uses to build connection strings and detect permanent errors for a specific SQLite driver.
|
Package drivers defines the Config type that sqlflow uses to build connection strings and detect permanent errors for a specific SQLite driver. |
|
mattn
Package mattn registers the github.com/mattn/go-sqlite3 SQLite driver and exports a ready-to-use sqlflow.Option that selects it.
|
Package mattn registers the github.com/mattn/go-sqlite3 SQLite driver and exports a ready-to-use sqlflow.Option that selects it. |
|
modernc
Package modernc registers the modernc.org/sqlite SQLite driver (pure Go, no CGo) and exports a ready-to-use sqlflow.Option that selects it.
|
Package modernc registers the modernc.org/sqlite SQLite driver (pure Go, no CGo) and exports a ready-to-use sqlflow.Option that selects it. |
|
ncruces
Package ncruces registers the github.com/ncruces/go-sqlite3 SQLite driver (WebAssembly, no CGo) and exports a ready-to-use sqlflow.Option that selects it.
|
Package ncruces registers the github.com/ncruces/go-sqlite3 SQLite driver (WebAssembly, no CGo) and exports a ready-to-use sqlflow.Option that selects it. |
|
Package migrators provides migration helpers for sqlflow databases.
|
Package migrators provides migration helpers for sqlflow databases. |