summaryrefslogtreecommitdiff
path: root/vendor/codeberg.org/gruf/go-store/storage/lock.go
blob: fae4351bf77924527debe492f09fc114fcb14d99 (plain)
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
package storage

import (
	"sync"
	"sync/atomic"
	"syscall"

	"codeberg.org/gruf/go-store/util"
)

// lockFile is our standard lockfile name.
var lockFile = "store.lock"

// IsLockKey returns whether storage key is our lockfile.
func IsLockKey(key string) bool {
	return key == lockFile
}

// Lock represents a filesystem lock to ensure only one storage instance open per path.
type Lock struct {
	fd int
	wg sync.WaitGroup
	st uint32
}

// OpenLock opens a lockfile at path.
func OpenLock(path string) (*Lock, error) {
	var fd int

	// Open the file descriptor at path
	err := util.RetryOnEINTR(func() (err error) {
		fd, err = syscall.Open(path, defaultFileLockFlags, defaultFilePerms)
		return
	})
	if err != nil {
		return nil, err
	}

	// Get a flock on the file descriptor
	err = util.RetryOnEINTR(func() error {
		return syscall.Flock(fd, syscall.LOCK_EX|syscall.LOCK_NB)
	})
	if err != nil {
		return nil, errSwapUnavailable(err)
	}

	return &Lock{fd: fd}, nil
}

// Add will add '1' to the underlying sync.WaitGroup.
func (f *Lock) Add() {
	f.wg.Add(1)
}

// Done will decrememnt '1' from the underlying sync.WaitGroup.
func (f *Lock) Done() {
	f.wg.Done()
}

// Close will attempt to close the lockfile and file descriptor.
func (f *Lock) Close() error {
	var err error
	if atomic.CompareAndSwapUint32(&f.st, 0, 1) {
		// Wait until done
		f.wg.Wait()

		// Ensure gets closed
		defer syscall.Close(f.fd)

		// Call funlock on the file descriptor
		err = util.RetryOnEINTR(func() error {
			return syscall.Flock(f.fd, syscall.LOCK_UN|syscall.LOCK_NB)
		})
	}
	return err
}

// Closed will return whether this lockfile has been closed (and unlocked).
func (f *Lock) Closed() bool {
	return (atomic.LoadUint32(&f.st) == 1)
}