-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathwredis_strings.go
76 lines (68 loc) · 2.1 KB
/
wredis_strings.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
package wredis
import (
"errors"
"github.com/garyburd/redigo/redis"
)
// Get fetches a key's string value.
// See http://redis.io/commands/get
func (w *Wredis) Get(key string) (string, error) {
if key == "" {
return stringError("key cannot be an empty string")
}
var get = func(conn redis.Conn) (string, error) {
return redis.String(conn.Do("GET", key))
}
return w.ExecString(get)
}
// MGet returns the values of all provided keys. For a key that does not exist,
// an empty string is returned. See http://redis.io/commands/mget.
func (w *Wredis) MGet(keys []string) ([]string, error) {
for _, key := range keys {
if key == "" {
return stringsError("keys cannot be empty")
}
}
return w.ExecStrings(func(conn redis.Conn) ([]string, error) {
args := redis.Args{}.AddFlat(keys)
return redis.Strings(conn.Do("MGET", args...))
})
}
// Incr increments the number stored at key by one.
// See http://redis.io/commands/incr
func (w *Wredis) Incr(key string) (int64, error) {
if key == "" {
return 0, errors.New("key cannot be an empty string")
}
var incr = func(conn redis.Conn) (int64, error) {
return redis.Int64(conn.Do("INCR", key))
}
return w.ExecInt64(incr)
}
// Set sets a key's string value.
// See http://redis.io/commands/set
func (w *Wredis) Set(key, value string) error {
if key == "" {
return errors.New("key cannot be an empty string")
}
var set = func(conn redis.Conn) (string, error) {
return redis.String(conn.Do("SET", key, value))
}
res, err := w.ExecString(set)
return checkSimpleStringResponse("Set", res, err)
}
// SetEx sets key's to value with an expiry time measured in seconds.
// See http://redis.io/commands/setex
func (w *Wredis) SetEx(key, value string, seconds int) error {
if key == "" {
return errors.New("key cannot be an empty string")
}
if seconds <= 0 {
return errors.New("seconds must be a postive integer")
}
var setEx = func(conn redis.Conn) (string, error) {
args := redis.Args{}.Add(key).Add(seconds).Add(value)
return redis.String(conn.Do("SETEX", args...))
}
res, err := w.ExecString(setEx)
return checkSimpleStringResponse("SetEx", res, err)
}