-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathvariable.go
115 lines (99 loc) · 1.99 KB
/
variable.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
105
106
107
108
109
110
111
112
113
114
115
package multilock
import (
"sync"
)
func NewVariable[K comparable]() MultiLocker[K] {
m := &variable[K]{f: &defaultLockerFactory{}, locks: map[K]refTryLocker{}}
return m
}
type variable[K comparable] struct {
f lockerFactory
m sync.Mutex
locks map[K]refTryLocker
}
func (ml *variable[K]) TryLockByKey(k K) (got bool) {
_, got = ml.tryLock(k)
return
}
func (ml *variable[K]) LockByKey(k K) {
ml.getLockerAndIncRefCount(k).Lock()
}
func (ml *variable[K]) UnlockByKey(k K) {
ml.m.Lock()
l, ok := ml.locks[k]
ml.m.Unlock()
if !ok {
panic("sync: unlock of unlocked mutex")
}
ml.unlock(k, l)()
}
func (ml *variable[K]) TryLock(k K) (got bool, unlock func()) {
l, got := ml.tryLock(k)
if got {
return true, ml.unlock(k, l)
}
return false, noop
}
func (ml *variable[K]) Lock(k K) (unlock func()) {
l := ml.getLockerAndIncRefCount(k)
l.Lock()
return ml.unlock(k, l)
}
func (ml *variable[K]) tryLock(k K) (l refTryLocker, got bool) {
ml.withMutex(func() {
l = ml._getLockerAndIncRefCount(k)
if l.TryLock() {
got = true
return
}
ml.tryPut(k, l)
got = false
})
return
}
func (ml *variable[K]) unlock(k K, l refTryLocker) func() {
return func() {
ml.withMutex(func() {
ml.tryPut(k, l)
l.Unlock()
})
}
}
func (ml *variable[K]) tryPut(k K, m refTryLocker) {
v := m.DecRefCount()
if v == 0 {
delete(ml.locks, k)
ml.f.Put(m)
}
}
func (ml *variable[K]) tryPutWithMutex(k K, m refTryLocker) {
ml.withMutex(func() {
ml.tryPut(k, m)
})
}
func (ml *variable[K]) getLockerAndIncRefCount(k K) (l refTryLocker) {
ml.withMutex(func() {
l = ml._getLockerAndIncRefCount(k)
})
return
}
func (ml *variable[K]) withMutex(f func()) {
ml.m.Lock()
defer ml.m.Unlock()
f()
}
func (ml *variable[K]) _getLockerAndIncRefCount(k K) refTryLocker {
if ml.f == nil {
ml.f = &defaultLockerFactory{}
}
if ml.locks == nil {
ml.locks = map[K]refTryLocker{}
}
locker, ok := ml.locks[k]
if !ok {
locker = ml.f.Get()
ml.locks[k] = locker
}
locker.IncRefCount()
return locker
}