velero/pkg/restic/repo_locker.go

56 lines
1.4 KiB
Go
Raw Normal View History

package restic
import "sync"
// repoLocker manages exclusive/non-exclusive locks for
// operations against restic repositories. The semantics
// of exclusive/non-exclusive locks are the same as for
// a sync.RWMutex, where a non-exclusive lock is equivalent
// to a read lock, and an exclusive lock is equivalent to
// a write lock.
type repoLocker struct {
mu sync.Mutex
locks map[string]*sync.RWMutex
}
func newRepoLocker() *repoLocker {
return &repoLocker{
locks: make(map[string]*sync.RWMutex),
}
}
// LockExclusive acquires an exclusive lock for the specified
// repository. This function blocks until no other locks exist
// for the repo.
func (rl *repoLocker) LockExclusive(name string) {
rl.ensureLock(name).Lock()
}
// Lock acquires a non-exclusive lock for the specified
// repository. This function blocks until no exclusive
// locks exist for the repo.
func (rl *repoLocker) Lock(name string) {
rl.ensureLock(name).RLock()
}
// UnlockExclusive releases an exclusive lock for the repo.
func (rl *repoLocker) UnlockExclusive(name string) {
rl.ensureLock(name).Unlock()
}
// Unlock releases a non-exclusive lock for the repo.
func (rl *repoLocker) Unlock(name string) {
rl.ensureLock(name).RUnlock()
}
func (rl *repoLocker) ensureLock(name string) *sync.RWMutex {
rl.mu.Lock()
defer rl.mu.Unlock()
if _, ok := rl.locks[name]; !ok {
rl.locks[name] = new(sync.RWMutex)
}
return rl.locks[name]
}