-
Notifications
You must be signed in to change notification settings - Fork 11
/
cache_redis.go
56 lines (48 loc) · 1.4 KB
/
cache_redis.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
package sqlcache
import (
"context"
"time"
"github.com/redis/go-redis/v9"
"github.com/vmihailenco/msgpack/v4"
"github.com/prashanthpai/sqlcache/cache"
)
// Redis implements cache.Cacher interface to use redis as backend with
// go-redis as the redis client library.
type Redis struct {
c redis.UniversalClient
keyPrefix string
}
// Get gets a cache item from redis. Returns pointer to the item, a boolean
// which represents whether key exists or not and an error.
func (r *Redis) Get(ctx context.Context, key string) (*cache.Item, bool, error) {
b, err := r.c.Get(ctx, r.keyPrefix+key).Bytes()
switch err {
case nil:
var item cache.Item
if err := msgpack.Unmarshal(b, &item); err != nil {
return nil, true, err
}
return &item, true, nil
case redis.Nil:
return nil, false, nil
default:
return nil, false, err
}
}
// Set sets the given item into redis with provided TTL duration.
func (r *Redis) Set(ctx context.Context, key string, item *cache.Item, ttl time.Duration) error {
b, err := msgpack.Marshal(item)
if err != nil {
return err
}
_, err = r.c.Set(ctx, r.keyPrefix+key, b, ttl).Result()
return err
}
// NewRedis creates a new instance of redis backend using go-redis client.
// All keys created in redis by sqlcache will have start with prefix.
func NewRedis(c redis.UniversalClient, keyPrefix string) *Redis {
return &Redis{
c: c,
keyPrefix: keyPrefix,
}
}