-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsemaphore.js
83 lines (69 loc) · 2 KB
/
semaphore.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
/**
* Asynchronous Semaphore for Javascript
*/
;(function(global) {
'use strict';
/**
* Asynchronous semaphore limits the number of asynchronous functions running at any given time.
* Once the semaphore provides access, the semaphore function is called with a releaser.
* The function being called must release the semaphore in some of it's callbacks.
* You can additionally specify a timeout which will release the semaphore after a certin time.
* This is to help with cases where something might have not released the semaphore properly.
*/
function Semaphore(totalSize, timeout) {
this.totalSize = parseInt(totalSize, 10);
this.inUse = 0;
this.queue = [];
this.timeout = parseFloat(timeout);
}
/**
* Shifts the queue of callbacks if fewer workers are using this semaphore.
* Creates a releaser that's passed to the callback.
*/
Semaphore.prototype.shiftq = function () {
var thisArg = this;
if (thisArg.queue.length > 0) {
if (thisArg.inUse < thisArg.totalSize) {
var releaser = (function () {
var released = false;
return function () {
if (!released) {
thisArg.inUse -= 1;
released = true;
// something freed up, try and see if shiftq can free up more resources
thisArg.shiftq();
}
};
}());
var nextCb = thisArg.queue.shift();
thisArg.inUse += 1;
if (thisArg.timeout) {
setTimeout(releaser, thisArg.timeout);
}
return nextCb(releaser);
}
}
};
/**
* Pushes a callback into the queue and calls shiftq to check if any callbacks can be executed.
*/
Semaphore.prototype.acquire = function (cb) {
this.queue.push(cb);
this.shiftq();
};
/**
* Expose async `Semaphore`
*/
if (typeof exports === 'object') {
// node export
module.exports = Semaphore;
} else if (typeof define === 'function' && define.amd) {
// amd export
define(function () {
return Semaphore;
});
} else {
// browser global
global.Semaphore = Semaphore;
}
}(this));