forked from ipfs/js-ipfs
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcustom-lock.js
99 lines (87 loc) · 2.42 KB
/
custom-lock.js
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
'use strict'
const PATH = require('path')
/**
* Uses an object in an S3 bucket as a lock to signal that an IPFS repo is in use.
* When the object exists, the repo is in use. You would normally use this to make
* sure multiple IPFS nodes don’t use the same S3 bucket as a datastore at the same time.
*/
class S3Lock {
constructor (s3Datastore) {
this.s3 = s3Datastore
}
/**
* Returns the location of the lock file given the path it should be located at
*
* @private
* @param {string} dir
* @returns {string}
*/
getLockfilePath (dir) {
return PATH.join(dir, 'repo.lock')
}
/**
* Creates the lock. This can be overriden to customize where the lock should be created
*
* @param {string} dir
* @param {function(Error, LockCloser)} callback
* @returns {void}
*/
lock (dir, callback) {
const lockPath = this.getLockfilePath(dir)
this.locked(dir, (err, alreadyLocked) => {
if (err || alreadyLocked) {
return callback(new Error('The repo is already locked'))
}
// There's no lock yet, create one
this.s3.put(lockPath, Buffer.from(''), (err, data) => {
if (err) {
return callback(err, null)
}
callback(null, this.getCloser(lockPath))
})
})
}
/**
* Returns a LockCloser, which has a `close` method for removing the lock located at `lockPath`
*
* @param {string} lockPath
* @returns {LockCloser}
*/
getCloser (lockPath) {
return {
/**
* Removes the lock. This can be overriden to customize how the lock is removed. This
* is important for removing any created locks.
*
* @param {function(Error)} callback
* @returns {void}
*/
close: (callback) => {
this.s3.delete(lockPath, (err) => {
if (err && err.statusCode !== 404) {
return callback(err)
}
callback(null)
})
}
}
}
/**
* Calls back on whether or not a lock exists. Override this method to customize how the check is made.
*
* @param {string} dir
* @param {function(Error, boolean)} callback
* @returns {void}
*/
locked (dir, callback) {
this.s3.get(this.getLockfilePath(dir), (err, data) => {
if (err && err.message.match(/not found/)) {
return callback(null, false)
} else if (err) {
return callback(err)
}
callback(null, true)
})
}
}
module.exports = S3Lock