UNPKG

bot18

Version:

A high-frequency cryptocurrency trading bot by Zenbot creator @carlos8f

99 lines (83 loc) 2.87 kB
/* * Copyright (c) 2012 Mathieu Turcotte * Licensed under the MIT license. */ var events = require('events'); var util = require('util'); function isDef(value) { return value !== undefined && value !== null; } /** * Abstract class defining the skeleton for all backoff strategies. * @param options Backoff strategy options. * @param options.randomisationFactor The randomisation factor, must be between * 0 and 1. * @param options.initialDelay The backoff initial delay, in milliseconds. * @param options.maxDelay The backoff maximal delay, in milliseconds. * @constructor */ function BackoffStrategy(options) { options = options || {}; if (isDef(options.initialDelay) && options.initialDelay < 1) { throw new Error('The initial timeout must be greater than 0.'); } else if (isDef(options.maxDelay) && options.maxDelay < 1) { throw new Error('The maximal timeout must be greater than 0.'); } this.initialDelay_ = options.initialDelay || 100; this.maxDelay_ = options.maxDelay || 10000; if (this.maxDelay_ <= this.initialDelay_) { throw new Error('The maximal backoff delay must be ' + 'greater than the initial backoff delay.'); } if (isDef(options.randomisationFactor) && (options.randomisationFactor < 0 || options.randomisationFactor > 1)) { throw new Error('The randomisation factor must be between 0 and 1.'); } this.randomisationFactor_ = options.randomisationFactor || 0; } /** * Retrieves the maximal backoff delay. * @return The maximal backoff delay, in milliseconds. */ BackoffStrategy.prototype.getMaxDelay = function() { return this.maxDelay_; }; /** * Retrieves the initial backoff delay. * @return The initial backoff delay, in milliseconds. */ BackoffStrategy.prototype.getInitialDelay = function() { return this.initialDelay_; }; /** * Template method that computes the next backoff delay. * @return The backoff delay, in milliseconds. */ BackoffStrategy.prototype.next = function() { var backoffDelay = this.next_(); var randomisationMultiple = 1 + Math.random() * this.randomisationFactor_; var randomizedDelay = Math.round(backoffDelay * randomisationMultiple); return randomizedDelay; }; /** * Computes the next backoff delay. * @return The backoff delay, in milliseconds. * @protected */ BackoffStrategy.prototype.next_ = function() { throw new Error('BackoffStrategy.next_() unimplemented.'); }; /** * Template method that resets the backoff delay to its initial value. */ BackoffStrategy.prototype.reset = function() { this.reset_(); }; /** * Resets the backoff delay to its initial value. * @protected */ BackoffStrategy.prototype.reset_ = function() { throw new Error('BackoffStrategy.reset_() unimplemented.'); }; module.exports = BackoffStrategy;