blob: 82fdd0195aaeaf6c75d3c87c65b103a34069e19e (
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
82
83
84
85
86
87
88
|
// Copyright 2016 Canonical Ltd.
// Licensed under the LGPLv3, see LICENCE file for details.
// +build darwin dragonfly freebsd linux netbsd openbsd
package fslock
import (
"syscall"
"time"
)
// Lock implements cross-process locks using syscalls.
// This implementation is based on flock syscall.
type Lock struct {
filename string
fd int
}
// New returns a new lock around the given file.
func New(filename string) *Lock {
return &Lock{filename: filename}
}
// Lock locks the lock. This call will block until the lock is available.
func (l *Lock) Lock() error {
if err := l.open(); err != nil {
return err
}
return syscall.Flock(l.fd, syscall.LOCK_EX)
}
// TryLock attempts to lock the lock. This method will return ErrLocked
// immediately if the lock cannot be acquired.
func (l *Lock) TryLock() error {
if err := l.open(); err != nil {
return err
}
err := syscall.Flock(l.fd, syscall.LOCK_EX|syscall.LOCK_NB)
if err != nil {
syscall.Close(l.fd)
}
if err == syscall.EWOULDBLOCK {
return ErrLocked
}
return err
}
func (l *Lock) open() error {
fd, err := syscall.Open(l.filename, syscall.O_CREAT|syscall.O_RDONLY, 0600)
if err != nil {
return err
}
l.fd = fd
return nil
}
// Unlock unlocks the lock.
func (l *Lock) Unlock() error {
return syscall.Close(l.fd)
}
// LockWithTimeout tries to lock the lock until the timeout expires. If the
// timeout expires, this method will return ErrTimeout.
func (l *Lock) LockWithTimeout(timeout time.Duration) error {
if err := l.open(); err != nil {
return err
}
result := make(chan error)
cancel := make(chan struct{})
go func() {
err := syscall.Flock(l.fd, syscall.LOCK_EX)
select {
case <-cancel:
// Timed out, cleanup if necessary.
syscall.Flock(l.fd, syscall.LOCK_UN)
syscall.Close(l.fd)
case result <- err:
}
}()
select {
case err := <-result:
return err
case <-time.After(timeout):
close(cancel)
return ErrTimeout
}
}
|