1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
|
// Package storage provides SQLite-backed event persistence for the Axon relay.
package storage
import (
"context"
"database/sql"
"fmt"
_ "modernc.org/sqlite"
)
// Storage wraps a SQLite database for Axon event persistence.
type Storage struct {
db *sql.DB
}
// New opens (or creates) the SQLite database at dbPath, applies WAL pragmas,
// and initialises the schema. Call Close when done.
func New(dbPath string) (*Storage, error) {
db, err := sql.Open("sqlite", dbPath)
if err != nil {
return nil, fmt.Errorf("storage: open db: %w", err)
}
// SQLite works best with a single writer.
db.SetMaxOpenConns(1)
db.SetMaxIdleConns(1)
db.SetConnMaxLifetime(0)
pragmas := []string{
"PRAGMA journal_mode=WAL",
"PRAGMA synchronous=NORMAL",
"PRAGMA cache_size=-40960", // ~40 MB (negative = kibibytes)
"PRAGMA temp_store=MEMORY",
"PRAGMA mmap_size=268435456", // 256 MB
"PRAGMA page_size=4096",
"PRAGMA foreign_keys=ON",
"PRAGMA busy_timeout=5000",
}
for _, p := range pragmas {
if _, err := db.Exec(p); err != nil {
db.Close()
return nil, fmt.Errorf("storage: set pragma %q: %w", p, err)
}
}
s := &Storage{db: db}
if err := s.initSchema(context.Background()); err != nil {
db.Close()
return nil, fmt.Errorf("storage: init schema: %w", err)
}
return s, nil
}
// Close closes the underlying database connection.
func (s *Storage) Close() error {
return s.db.Close()
}
const schema = `
CREATE TABLE IF NOT EXISTS events (
id BLOB PRIMARY KEY,
pubkey BLOB NOT NULL,
created_at INTEGER NOT NULL,
kind INTEGER NOT NULL,
envelope_bytes BLOB NOT NULL
) STRICT;
CREATE TABLE IF NOT EXISTS tags (
event_id BLOB NOT NULL REFERENCES events(id),
name TEXT NOT NULL,
value TEXT NOT NULL
) STRICT;
CREATE INDEX IF NOT EXISTS idx_events_pubkey ON events(pubkey, created_at DESC);
CREATE INDEX IF NOT EXISTS idx_events_kind ON events(kind, created_at DESC);
CREATE INDEX IF NOT EXISTS idx_events_created_at ON events(created_at DESC);
CREATE INDEX IF NOT EXISTS idx_tags_name_value ON tags(name, value);
CREATE INDEX IF NOT EXISTS idx_tags_event_id ON tags(event_id);
`
func (s *Storage) initSchema(ctx context.Context) error {
_, err := s.db.ExecContext(ctx, schema)
return err
}
|