80 lines
1.8 KiB
Go
80 lines
1.8 KiB
Go
|
package memdb
|
||
|
|
||
|
import (
|
||
|
"sync"
|
||
|
|
||
|
"github.com/hashicorp/go-immutable-radix"
|
||
|
)
|
||
|
|
||
|
// MemDB is an in-memory database. It provides a table abstraction,
|
||
|
// which is used to store objects (rows) with multiple indexes based
|
||
|
// on values. The database makes use of immutable radix trees to provide
|
||
|
// transactions and MVCC.
|
||
|
type MemDB struct {
|
||
|
schema *DBSchema
|
||
|
root *iradix.Tree
|
||
|
|
||
|
// There can only be a single writter at once
|
||
|
writer sync.Mutex
|
||
|
}
|
||
|
|
||
|
// NewMemDB creates a new MemDB with the given schema
|
||
|
func NewMemDB(schema *DBSchema) (*MemDB, error) {
|
||
|
// Validate the schema
|
||
|
if err := schema.Validate(); err != nil {
|
||
|
return nil, err
|
||
|
}
|
||
|
|
||
|
// Create the MemDB
|
||
|
db := &MemDB{
|
||
|
schema: schema,
|
||
|
root: iradix.New(),
|
||
|
}
|
||
|
if err := db.initialize(); err != nil {
|
||
|
return nil, err
|
||
|
}
|
||
|
return db, nil
|
||
|
}
|
||
|
|
||
|
// Txn is used to start a new transaction, in either read or write mode.
|
||
|
// There can only be a single concurrent writer, but any number of readers.
|
||
|
func (db *MemDB) Txn(write bool) *Txn {
|
||
|
if write {
|
||
|
db.writer.Lock()
|
||
|
}
|
||
|
txn := &Txn{
|
||
|
db: db,
|
||
|
write: write,
|
||
|
rootTxn: db.root.Txn(),
|
||
|
}
|
||
|
return txn
|
||
|
}
|
||
|
|
||
|
// Snapshot is used to capture a point-in-time snapshot
|
||
|
// of the database that will not be affected by any write
|
||
|
// operations to the existing DB.
|
||
|
func (db *MemDB) Snapshot() *MemDB {
|
||
|
clone := &MemDB{
|
||
|
schema: db.schema,
|
||
|
root: db.root,
|
||
|
}
|
||
|
return clone
|
||
|
}
|
||
|
|
||
|
// initialize is used to setup the DB for use after creation
|
||
|
func (db *MemDB) initialize() error {
|
||
|
for tName, tableSchema := range db.schema.Tables {
|
||
|
for iName, _ := range tableSchema.Indexes {
|
||
|
index := iradix.New()
|
||
|
path := indexPath(tName, iName)
|
||
|
db.root, _, _ = db.root.Insert(path, index)
|
||
|
}
|
||
|
}
|
||
|
return nil
|
||
|
}
|
||
|
|
||
|
// indexPath returns the path from the root to the given table index
|
||
|
func indexPath(table, index string) []byte {
|
||
|
return []byte(table + "." + index)
|
||
|
}
|