Skip to content

Commit 00358b3

Browse files
committedMay 20, 2018
feat: BoltDB support
Added boltdb support for caching
1 parent ffbcf34 commit 00358b3

File tree

5 files changed

+393
-1
lines changed

5 files changed

+393
-1
lines changed
 

‎Gopkg.lock

+13-1
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

‎Gopkg.toml

+4
Original file line numberDiff line numberDiff line change
@@ -52,3 +52,7 @@
5252
[prune]
5353
go-tests = true
5454
unused-packages = true
55+
56+
[[constraint]]
57+
name = "github.com/coreos/bbolt"
58+
version = "1.3.0"

‎README.md

+18
Original file line numberDiff line numberDiff line change
@@ -152,6 +152,24 @@ func init() {
152152
}
153153
```
154154

155+
### BoltDB
156+
157+
```go
158+
package main
159+
160+
import (
161+
"github.com/fabiorphp/cachego"
162+
bolt "github.com/coreos/bbolt"
163+
)
164+
165+
var cache cachego.Cache
166+
167+
func init() {
168+
db, _ := bolt.Open("cache.db", 0600, nil)
169+
cache = NewBolt(db)
170+
}
171+
```
172+
155173
### Chain
156174

157175
```go

‎bolt.go

+185
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,185 @@
1+
package cachego
2+
3+
import (
4+
"encoding/json"
5+
bolt "github.com/coreos/bbolt"
6+
errors "github.com/pkg/errors"
7+
"time"
8+
)
9+
10+
var (
11+
boltBucket = []byte("cachego")
12+
13+
// ErrBoltBucketNotFound returns an error when bucket not found
14+
ErrBoltBucketNotFound = errors.New("Bucket not found")
15+
16+
// ErrBoltCacheExpired returns an error when the cache key was expired
17+
ErrBoltCacheExpired = errors.New("Cache expired")
18+
19+
// ErrBoltDecodeJSON returns json decoding error message
20+
ErrBoltDecodeJSON = "Unable to decode json data"
21+
22+
// ErrBoltFlush returns flush error message
23+
ErrBoltFlush = "Unable to flush"
24+
25+
// ErrBoltSave returns save error message
26+
ErrBoltSave = "Unable to save"
27+
)
28+
29+
type (
30+
// Bolt store for caching data
31+
Bolt struct {
32+
db *bolt.DB
33+
}
34+
35+
// BoltContent it's a structure of cached value
36+
BoltContent struct {
37+
Duration int64 `json:"duration"`
38+
Data string `json:"data, omitempty"`
39+
}
40+
)
41+
42+
// NewBolt creates an instance of BoltDB cache
43+
func NewBolt(db *bolt.DB) *Bolt {
44+
return &Bolt{db}
45+
}
46+
47+
func (b *Bolt) read(key string) (*BoltContent, error) {
48+
var value []byte
49+
50+
err := b.db.View(func(tx *bolt.Tx) error {
51+
bucket := tx.Bucket(boltBucket)
52+
53+
if bucket == nil {
54+
return ErrBoltBucketNotFound
55+
}
56+
57+
value = bucket.Get([]byte(key))
58+
59+
return nil
60+
})
61+
62+
if err != nil {
63+
return nil, err
64+
}
65+
66+
content := &BoltContent{}
67+
68+
err = json.Unmarshal(value, content)
69+
70+
if err != nil {
71+
return nil, errors.Wrap(err, ErrBoltDecodeJSON)
72+
}
73+
74+
if content.Duration == 0 {
75+
return content, nil
76+
}
77+
78+
if content.Duration <= time.Now().Unix() {
79+
b.Delete(key)
80+
return nil, ErrBoltCacheExpired
81+
}
82+
83+
return content, err
84+
}
85+
86+
// Contains checks if the cached key exists into the BoltDB storage
87+
func (b *Bolt) Contains(key string) bool {
88+
if _, err := b.read(key); err != nil {
89+
return false
90+
}
91+
92+
return true
93+
}
94+
95+
// Delete the cached key from BoltDB storage
96+
func (b *Bolt) Delete(key string) error {
97+
err := b.db.Update(func(tx *bolt.Tx) error {
98+
bucket := tx.Bucket(boltBucket)
99+
100+
if bucket == nil {
101+
return ErrBoltBucketNotFound
102+
}
103+
104+
bucket.Delete([]byte(key))
105+
106+
return nil
107+
})
108+
109+
return err
110+
}
111+
112+
// Fetch retrieves the cached value from key of the BoltDB storage
113+
func (b *Bolt) Fetch(key string) (string, error) {
114+
content, err := b.read(key)
115+
116+
if err != nil {
117+
return "", err
118+
}
119+
120+
return content.Data, nil
121+
}
122+
123+
// FetchMulti retrieve multiple cached values from keys of the BoltDB storage
124+
func (b *Bolt) FetchMulti(keys []string) map[string]string {
125+
result := make(map[string]string)
126+
127+
for _, key := range keys {
128+
if value, err := b.Fetch(key); err == nil {
129+
result[key] = value
130+
}
131+
}
132+
133+
return result
134+
}
135+
136+
// Flush removes all cached keys of the BoltDB storage
137+
func (b *Bolt) Flush() error {
138+
err := b.db.Update(func(tx *bolt.Tx) error {
139+
err := tx.DeleteBucket(boltBucket)
140+
141+
if err != nil {
142+
return errors.Wrap(err, ErrBoltFlush)
143+
}
144+
145+
return err
146+
})
147+
148+
return err
149+
}
150+
151+
// Save a value in BoltDB storage by key
152+
func (b *Bolt) Save(key string, value string, lifeTime time.Duration) error {
153+
duration := int64(0)
154+
155+
if lifeTime > 0 {
156+
duration = time.Now().Unix() + int64(lifeTime.Seconds())
157+
}
158+
159+
content := &BoltContent{
160+
duration,
161+
value,
162+
}
163+
164+
data, err := json.Marshal(content)
165+
166+
if err != nil {
167+
return errors.Wrap(err, ErrBoltDecodeJSON)
168+
}
169+
170+
err = b.db.Update(func(tx *bolt.Tx) error {
171+
bucket, err := tx.CreateBucketIfNotExists(boltBucket)
172+
173+
if err != nil {
174+
return err
175+
}
176+
177+
return bucket.Put([]byte(key), data)
178+
})
179+
180+
if err != nil {
181+
return errors.Wrap(err, ErrBoltSave)
182+
}
183+
184+
return nil
185+
}

‎bolt_test.go

+173
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,173 @@
1+
package cachego
2+
3+
import (
4+
"fmt"
5+
bolt "github.com/coreos/bbolt"
6+
"github.com/stretchr/testify/assert"
7+
"github.com/stretchr/testify/suite"
8+
"os"
9+
"testing"
10+
"time"
11+
)
12+
13+
type BoltTestSuite struct {
14+
suite.Suite
15+
16+
assert *assert.Assertions
17+
cache Cache
18+
db *bolt.DB
19+
directory string
20+
}
21+
22+
func (s *BoltTestSuite) SetupTest() {
23+
s.directory = "./cache-dir/"
24+
25+
os.Mkdir(s.directory, 0777)
26+
27+
db, err := bolt.Open(s.directory+"cachego.db", 0600, nil)
28+
29+
if err != nil {
30+
s.T().Skip()
31+
}
32+
33+
s.db = db
34+
s.cache = NewBolt(s.db)
35+
s.assert = assert.New(s.T())
36+
}
37+
38+
func (s *BoltTestSuite) TearDownTest() {
39+
s.db.Close()
40+
}
41+
42+
func (s *BoltTestSuite) TestSave() {
43+
s.assert.Nil(s.cache.Save("foo", "bar", 0))
44+
}
45+
46+
func (s *BoltTestSuite) TestSaveThrowError() {
47+
s.db.Close()
48+
49+
opts := &bolt.Options{ReadOnly: true}
50+
db, err := bolt.Open(s.directory+"cachego.db", 0666, opts)
51+
52+
if err != nil {
53+
fmt.Println(err)
54+
}
55+
56+
defer db.Close()
57+
58+
cache := NewBolt(db)
59+
err = cache.Save("foo", "bar", 0)
60+
61+
s.assert.Error(err)
62+
s.assert.Contains(err.Error(), ErrBoltSave)
63+
}
64+
65+
func (s *BoltTestSuite) TestFetchThrowErrorWhenBucketNotFound() {
66+
s.cache.Flush()
67+
68+
result, err := s.cache.Fetch("foo")
69+
70+
s.assert.Empty(result)
71+
s.assert.EqualError(err, ErrBoltBucketNotFound.Error())
72+
}
73+
74+
func (s *BoltTestSuite) TestFetchThrowErrorWhenExpired() {
75+
key := "foo"
76+
value := "bar"
77+
78+
s.cache.Save(key, value, 1*time.Second)
79+
80+
time.Sleep(1 * time.Second)
81+
82+
result, err := s.cache.Fetch(key)
83+
84+
s.assert.Empty(result)
85+
s.assert.EqualError(err, ErrBoltCacheExpired.Error())
86+
}
87+
88+
func (s *BoltTestSuite) TestFetch() {
89+
key := "foo"
90+
value := "bar"
91+
92+
s.cache.Save(key, value, 0)
93+
result, err := s.cache.Fetch(key)
94+
95+
s.assert.Nil(err)
96+
s.assert.Equal(value, result)
97+
}
98+
99+
func (s *BoltTestSuite) TestFetchLongCacheDuration() {
100+
key := "foo"
101+
value := "bar"
102+
103+
s.cache.Save(key, value, 10*time.Second)
104+
result, err := s.cache.Fetch(key)
105+
106+
s.assert.Nil(err)
107+
s.assert.Equal(value, result)
108+
}
109+
110+
func (s *BoltTestSuite) TestContains() {
111+
s.cache.Save("foo", "bar", 0)
112+
113+
s.assert.True(s.cache.Contains("foo"))
114+
s.assert.False(s.cache.Contains("bar"))
115+
}
116+
117+
func (s *BoltTestSuite) TestDeleteThrowErrorWhenBucketNotFound() {
118+
s.cache.Flush()
119+
120+
err := s.cache.Delete("foo")
121+
122+
s.assert.EqualError(err, ErrBoltBucketNotFound.Error())
123+
}
124+
125+
func (s *BoltTestSuite) TestDelete() {
126+
s.cache.Save("foo", "bar", 0)
127+
128+
s.assert.Nil(s.cache.Delete("foo"))
129+
s.assert.False(s.cache.Contains("foo"))
130+
s.assert.Nil(s.cache.Delete("bar"))
131+
}
132+
133+
func (s *BoltTestSuite) TestFlushThrowErrorWhenBucketNotFound() {
134+
err := s.cache.Flush()
135+
136+
s.assert.Error(err)
137+
s.assert.Contains(err.Error(), ErrBoltFlush)
138+
}
139+
140+
func (s *BoltTestSuite) TestFlush() {
141+
s.cache.Save("foo", "bar", 0)
142+
143+
s.assert.Nil(s.cache.Flush())
144+
s.assert.False(s.cache.Contains("foo"))
145+
}
146+
147+
func (s *BoltTestSuite) TestFetchMultiReturnNoItemsWhenThrowError() {
148+
s.cache.Flush()
149+
result := s.cache.FetchMulti([]string{"foo"})
150+
151+
s.assert.Len(result, 0)
152+
}
153+
154+
func (s *BoltTestSuite) TestFetchMulti() {
155+
s.cache.Save("foo", "bar", 0)
156+
s.cache.Save("john", "doe", 0)
157+
158+
result := s.cache.FetchMulti([]string{"foo", "john"})
159+
160+
s.assert.Len(result, 2)
161+
}
162+
163+
func (s *BoltTestSuite) TestFetchMultiWhenOnlyOneOfKeysExists() {
164+
s.cache.Save("foo", "bar", 0)
165+
166+
result := s.cache.FetchMulti([]string{"foo", "alice"})
167+
168+
s.assert.Len(result, 1)
169+
}
170+
171+
func TestBoltRunSuite(t *testing.T) {
172+
suite.Run(t, new(BoltTestSuite))
173+
}

0 commit comments

Comments
 (0)
Please sign in to comment.