-
Notifications
You must be signed in to change notification settings - Fork 2
/
redis_lock_set.go
104 lines (95 loc) · 3.1 KB
/
redis_lock_set.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
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
package redislock
import (
"context"
"fmt"
"math/rand"
"sort"
"sync"
"time"
"github.com/go-redis/redis/v8"
)
// RedisLockSet 是基于 Redis 单节点的分布式组合锁。和 RedisLock 相比,RedisLockSet 将多个资源组合为同一个锁,可以方便地同时锁住多个资源。
//
// // 初始化一个包含 key1、key2、key3 的组合锁,指定过期时间为 1 小时
// lock := NewRedisLockSet(redisClient, []string{"key1", "key2", "key3"}, time.Hour)
//
// // 尝试加锁并堵塞。以 5 秒为间隔、不断地尝试加锁,直到加锁成功、或超过 1 分钟报错
// err := lock.Lock(time.Second * 5, time.Minute)
//
// // 释放锁
// err = lock.Unlock()
//
type RedisLockSet struct {
keys []string
locks []*RedisLock
rand *rand.Rand
}
// NewRedisLockSet 初始化一个分布式组合锁,并指定过期时间(即加锁后的自动释放时间)
func NewRedisLockSet(redisClient *redis.Client, keys []string, expire time.Duration) *RedisLockSet {
locks := []*RedisLock{}
sort.Strings(keys)
for _, key := range keys {
locks = append(locks, NewRedisLock(redisClient, key, expire))
}
return &RedisLockSet{keys, locks, rand.New(rand.NewSource(time.Now().UnixNano()))}
}
// Lock 以特定的时间间隔、不断地尝试加锁,直到加锁成功或者超时报错。其中,为了错开竞争,时间间隔会在 [50%, 150%) 区间随机波动。
func (s *RedisLockSet) Lock(attemptInterval time.Duration, timeout time.Duration) error {
ctx, cancel := context.WithTimeout(context.Background(), timeout)
defer cancel()
return s.LockWithContext(ctx, attemptInterval)
}
// LockWithContext 以特定的时间间隔、不断地尝试加锁,直到加锁成功。其中,为了错开竞争,时间间隔会在 [50%, 150%) 区间随机波动。
func (s *RedisLockSet) LockWithContext(ctx context.Context, attemptInterval time.Duration) error {
// 等待时间在 [ interval * 50%, interval * 150% ] 区间之间随机获得,以防止多线程同时竞争导致的死锁
ticker := time.NewTicker(attemptInterval/2 + time.Duration(s.rand.Int63n(int64(attemptInterval))))
defer func() {
ticker.Stop()
}()
for {
success, err := s.AttemptLock(ctx)
if err != nil {
return fmt.Errorf("redis-lock-set: failed to acquire locks %v: %v", s.keys, err)
}
if success {
return nil
}
<-ticker.C
}
}
// Unlock 释放锁
func (s *RedisLockSet) Unlock() error {
for _, lock := range s.locks {
err := lock.Unlock()
if err != nil {
return err
}
}
return nil
}
// AttemptLock 尝试加锁,并立即返回结果。只有在返回 true 的情况下,才认为加锁成功。
func (s *RedisLockSet) AttemptLock(ctx context.Context) (bool, error) {
for _, lock := range s.locks {
success, err := lock.AttemptLock(ctx)
if err != nil {
s.unlockDontCareErr()
return false, err
}
if !success {
s.unlockDontCareErr()
return false, nil
}
}
return true, nil
}
func (s *RedisLockSet) unlockDontCareErr() {
var wg sync.WaitGroup
for _, lock := range s.locks {
wg.Add(1)
go func(lock *RedisLock) {
defer wg.Done()
_ = lock.Unlock()
}(lock)
}
wg.Wait()
}