FS DB is a simple key-value database for storing files. FS DB has two clients that give you the option to inline database logic into your application or run an external server and send data using grpc.
go get -u github.com/glebziz/fs_db
FS DB provides the following store key-value interface:
type Store interface {
// Set sets the contents of b using the key.
Set(ctx context.Context, key string, b []byte) error
// SetReader sets the reader content using the key.
SetReader(ctx context.Context, key string, reader io.Reader) error
// Get returns content by key.
Get(ctx context.Context, key string) ([]byte, error)
// GetReader returns content as io.ReadCloser by key.
GetReader(ctx context.Context, key string) (io.ReadCloser, error)
// GetKeys returns all keys from the database.
GetKeys(ctx context.Context) ([]string, error)
// Delete delete content by key.
Delete(ctx context.Context, key string) error
// Create returns the File for to write to.
Create(ctx context.Context, key string) (File, error)
}
FS DB provides the following transaction interface:
type TxOps interface {
// Commit commits the transaction.
Commit(ctx context.Context) error
// Rollback rolls back the transaction.
Rollback(ctx context.Context) error
}
FS DB provides the following client interface:
type DB interface {
Store
// Begin starts a transaction with isoLevel.
Begin(ctx context.Context, isoLevel ...model.TxIsoLevel) (Tx, error)
// Close closed the connection to fs_db.
Close() error
}
The database client supports starting a transaction with four standard isolation levels:
ReadUncommitted
ReadCommitted
RepeatableRead
Serializable
Since the set operation contains insert and update operations, the serializable level is equal to the repeatable read.
Use the following constants to select the isolation level:
const (
IsoLevelReadUncommitted
IsoLevelReadCommitted
IsoLevelRepeatableRead
IsoLevelSerializable
)
FS DB provides the following tx interface:
type Tx interface {
TxOps
Store
}
See more examples here.
package main
import (
"context"
"fmt"
"log"
"github.com/glebziz/fs_db/config"
"github.com/glebziz/fs_db/pkg/inline"
)
func main() {
db, err := inline.Open(context.Background(), config.Config{
Storage: config.Storage{
DbPath: "test_db",
MaxDirCount: 1,
RootDirs: []string{"./testStorage"},
GCPeriod: 1 * time.Minute,
},
WPool: config.WPool{
NumWorkers: runtime.GOMAXPROCS(0),
SendDuration: 1 * time.Millisecond,
},
})
if err != nil {
log.Fatalln("Open db inline:", err)
}
defer db.Close()
err = db.Set(context.Background(), "someKey", []byte("some content"))
if err != nil {
log.Panicln("Set:", err)
}
b, err := db.Get(context.Background(), "someKey")
if err != nil {
log.Panicln("Get:", err)
}
fmt.Println(string(b))
}