-
Notifications
You must be signed in to change notification settings - Fork 182
/
memdb_batch.go
83 lines (68 loc) · 1.49 KB
/
memdb_batch.go
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
package db
import "github.com/pkg/errors"
// memDBBatch operations
type opType int
const (
opTypeSet opType = iota + 1
opTypeDelete
)
type operation struct {
opType
key []byte
value []byte
}
// memDBBatch handles in-memory batching.
type memDBBatch struct {
db *MemDB
ops []operation
}
var _ Batch = (*memDBBatch)(nil)
// newMemDBBatch creates a new memDBBatch
func newMemDBBatch(db *MemDB) *memDBBatch {
return &memDBBatch{
db: db,
ops: []operation{},
}
}
func (b *memDBBatch) assertOpen() {
if b.ops == nil {
panic("batch has been written or closed")
}
}
// Set implements Batch.
func (b *memDBBatch) Set(key, value []byte) {
b.assertOpen()
b.ops = append(b.ops, operation{opTypeSet, key, value})
}
// Delete implements Batch.
func (b *memDBBatch) Delete(key []byte) {
b.assertOpen()
b.ops = append(b.ops, operation{opTypeDelete, key, nil})
}
// Write implements Batch.
func (b *memDBBatch) Write() error {
b.assertOpen()
b.db.mtx.Lock()
defer b.db.mtx.Unlock()
for _, op := range b.ops {
switch op.opType {
case opTypeSet:
b.db.set(op.key, op.value)
case opTypeDelete:
b.db.delete(op.key)
default:
return errors.Errorf("unknown operation type %v (%v)", op.opType, op)
}
}
// Make sure batch cannot be used afterwards. Callers should still call Close(), for errors.
b.Close()
return nil
}
// WriteSync implements Batch.
func (b *memDBBatch) WriteSync() error {
return b.Write()
}
// Close implements Batch.
func (b *memDBBatch) Close() {
b.ops = nil
}