diff --git a/.gitignore b/.gitignore index f593ade..bd6589d 100644 --- a/.gitignore +++ b/.gitignore @@ -59,4 +59,4 @@ typings/ .idea -debug/config.json + diff --git a/README.md b/README.md index 257b88d..f1a0875 100644 --- a/README.md +++ b/README.md @@ -1,44 +1,80 @@ +#!!! + +#Not fully refactored - some parts will be developed or rewritten with the bots modules - according to their actual requirements + + +The main focus of this work is to structure emitters chain, +to dedicate the responsibility and to reduce coupling, codebase size, +to make it able to be customized, to implement DRY etc + # CS:GO-market Manager High level wrapper for market.csgo.com (AKA tm.csgo.com) > Only items bought supported currently and focuses on CS:GO -## Config - -### Minimal required - -```json -{ - "market": { - "apiKey": "xxx" - } -} -``` - -### Default values - -```json5 -{ - "manager": { - "balanceValidationInterval": 90000, // 1.5 * 60 * 1000 - Balance integrity check if we are connected to ws - "avoidBadBots": true, // If we know that some offer is laggy we will firstly try to skip it - "safeBuyRequests": true, // If market returns http error on by request we will check, did we really bought - "dataDir": null, // Where system data should be stored, should be absolute path or nothing - "logApiCalls": false // Should we log all api calls to market?(works only if data dir is set) . Or you can pass your own logger - }, - "market": { - "apiKey": "", // Required - "pingInterval": 185000, // 3 * 60 * 1000 + 5 * 1000 - "handleTimezone": false, - "allowedPriceFluctuation": 0, - "compromiseFactor": 0, - "minCompromise": 0 - }, - "sockets": { - "pingInterval": 20000 // 20 * 1000 - }, - "knapsack": { - "validationInterval": 60000, // 60 * 1000 - if we have connection to ws - "updateInterval": 20000 // 20 * 1000 - using if don't have connection to ws - } -} -``` +##Import +``const MarketManager = require('market-csgo-manager') +`` + +##Usage +````javascript +const marketManager = new MarketManager({ + APIKey: 'xxxrrr44' +}) +```` +Then subscribe to events list (to be fullfilled) + +````javascript +marketManager.on('start', () => {}) +marketManager.on('itemBought', item => {}) +marketManager.on('wsStuck', () => {}) +marketManager.on('APITimeout', () => {}) + + +```` + +##Structure +General class is dist/MarketManager + +it takes API key as an argument +Then it inits APIProvider lib, starts reconnecting WS server and +subscribes to WS events, also it inits cache manager etc and binds +methods + +class methods are in versions/v2 + +each method has a directory with index file and helpers + +like versions/v2/buy +- index.js +- helpers +- - get_item_ids.js + +libs keeping offers cache and balance data are in ./lib + +WS stuff is in ./lib/ws + +WebSocket manager is a class decorating WS client class, +it decides what to do if connection fails, triggers different callbacks +on messages after parse and type checking etc + +All libs can trigger events on main class which causes either +some class methods calls or emitting events to which +user app is subscribed + + +# Build + +`npm run build` compiles stuff from `src` dir to `dist` + +# Tests + +1) in `test/stuff` rename `.test_API_key` to `test_API_key` +2) add your key there +3) run `npm run test`. It compiles .ts to .js and tests js out + +# N.B.: + +As an Orthodox Russian redneck, I suffer from 'shaitan' naming >:-) + +Hope this lib will work `Ad majore Dei gloriam` + diff --git a/config/default.json b/config/default.json new file mode 100644 index 0000000..d0a7cd9 --- /dev/null +++ b/config/default.json @@ -0,0 +1,5 @@ +{ + "connection_timeout": 2000, + "reconnection_delay_grow_factor": 2, + "max_retries": 8 +} diff --git a/dist/MarketManager.js b/dist/MarketManager.js new file mode 100644 index 0000000..f1bbea5 --- /dev/null +++ b/dist/MarketManager.js @@ -0,0 +1,67 @@ +// @ts-ignore +const MarketAPIProvider = require('src/helpers/get_market_API'); +// @ts-ignore +const BadOffersCache = require('./lib/cache'); +// @ts-ignore +const MarketWS = require('./lib/ws'); +// @ts-ignore +const EventEmitter = require('events'); +// @ts-ignore +const MarketKnapsack = require('./lib/knapsack'); +const v1 = require('./versions/v1'); +const v2 = require('./versions/v2'); +const generalEmitter = require('./emitters'); +module.exports = class MarketManager extends EventEmitter { + constructor(initOptions) { + super(); + /** + * Set API key + * @type {string} + */ + this.APIKey = initOptions.APIKey; + /** + * Set default currency + * @type {"USD" | "RUB" | "EUR"} + */ + this.currency = initOptions.currency || this.currency; + /** + * Set API version + * @type {string} + */ + this.version = initOptions.version || this.version; + /** + * + * Hold all event emitters in one module + */ + this.emitEvent = generalEmitter.bind(this); + /** + * Init API provider lib locally or from repository WS client to get data from CSGO market + */ + this.marketAPIProvider = new MarketAPIProvider({ + APIKey: initOptions.APIKey + }); + /** + * Init Node cache for bad offers + * @type {BadOffersCache} + */ + this.badOffersCache = new BadOffersCache({}); + this.knapsack = new MarketKnapsack({}); + /** + * Init WS client to get data from CSGO market with `this` passed + */ + this.marketWS = new MarketWS({ + marketAPIProvider: this.marketAPIProvider, + version: this.version + }); + /** + * Create getter v1 to be called like Manager.v1.buy() + * Not ready now for v2 has higher priority + */ + Object.defineProperty(this, 'v1', { get: v1.bind(this) }); + /** + * Create getter v2 to be called like Manager.v2.buy() + */ + Object.defineProperty(this, 'v2', { get: v2.bind(this) }); + this[this.version].setWSEvents.call(this); + } +}; diff --git a/lib/BadOffersCache.js b/dist/_lib/BadOffersCache.js similarity index 66% rename from lib/BadOffersCache.js rename to dist/_lib/BadOffersCache.js index f13ac60..5d78d1b 100644 --- a/lib/BadOffersCache.js +++ b/dist/_lib/BadOffersCache.js @@ -1,126 +1,101 @@ "use strict"; - const NodeCache = require("node-cache"); - const globalCommonCounter = {}; const globalPreciseCounter = {}; - module.exports = BadOffersCache; - /** * @param {CBadOffersConfig} config * @constructor */ function BadOffersCache(config) { this._config = config; - this._commonCounters = this._config.shareCounters ? globalCommonCounter : {}; this._preciseCounters = this._config.shareCounters ? globalPreciseCounter : {}; - // initially we did not need to have such cache // but due to not working knapsack module we are force to use it for now this._offersCache = new NodeCache({ stdTTL: this._config.boughtOffersCache, }); - this.started = false; } - -BadOffersCache.prototype.start = function() { - if(this.started) { +BadOffersCache.prototype.start = function () { + if (this.started) { return; } this.started = true; - setInterval(() => { this._autoDecrease(this._commonCounters); this._autoDecrease(this._preciseCounters); }, this._config.updateInterval); }; - -BadOffersCache.prototype.markAsBad = function(item) { +BadOffersCache.prototype.markAsBad = function (item) { let commonHash = this._getCommonHashId(item); this._updateCounter(this._commonCounters, commonHash); - - if(typeof item.price !== "undefined") { + if (typeof item.price !== "undefined") { let preciseHash = this._getPreciseHashId(item); this._updateCounter(this._preciseCounters, preciseHash); } }; - /** * "Temporary" method. You may use it from your client application */ -BadOffersCache.prototype.markAsBadByUid = function(uid, fallback = null) { +BadOffersCache.prototype.markAsBadByUid = function (uid, fallback = null) { let item = this._findItemByUid(uid); - if(item) { + if (item) { fallback = item; } - - if(fallback) { + if (fallback) { this.markAsBad(fallback); } }; - -BadOffersCache.prototype.storeBoughtOffer = function(boughtItem) { +BadOffersCache.prototype.storeBoughtOffer = function (boughtItem) { this._offersCache.set(String(boughtItem.uiId), { instanceId: boughtItem.instanceId, classId: boughtItem.classId, price: boughtItem.offerPrice, }); }; - -BadOffersCache.prototype.isBad = function(item) { +BadOffersCache.prototype.isBad = function (item) { let commonHash = this._getCommonHashId(item); let preciseHash = this._getPreciseHashId(item); - - if(this._commonCounters[commonHash] && this._commonCounters[commonHash].fails >= this._config.minCommonFails) { + if (this._commonCounters[commonHash] && this._commonCounters[commonHash].fails >= this._config.minCommonFails) { return true; } - if(this._preciseCounters[preciseHash] && this._preciseCounters[preciseHash].fails >= this._config.minPreciseFails) { + if (this._preciseCounters[preciseHash] && this._preciseCounters[preciseHash].fails >= this._config.minPreciseFails) { return true; } - return false; }; - -BadOffersCache.prototype._findItemByUid = function(uid) { +BadOffersCache.prototype._findItemByUid = function (uid) { return this._offersCache.get(String(uid)); }; - -BadOffersCache.prototype._updateCounter = function(counter, hash) { - if(!counter[hash]) { +BadOffersCache.prototype._updateCounter = function (counter, hash) { + if (!counter[hash]) { counter[hash] = { lastUpdate: Number.MAX_VALUE, fails: 0, }; } - counter[hash].lastUpdate = Date.now(); counter[hash].fails += 1; }; - -BadOffersCache.prototype._autoDecrease = function(counter) { - for(let hashid in counter) { - if(counter.hasOwnProperty(hashid)) { +BadOffersCache.prototype._autoDecrease = function (counter) { + for (let hashid in counter) { + if (counter.hasOwnProperty(hashid)) { let timePassed = Date.now() - counter[hashid].lastUpdate; - - if(timePassed > this._config.penaltyTime) { + if (timePassed > this._config.penaltyTime) { counter[hashid].lastUpdate = Date.now(); counter[hashid].fails -= 1; - - if(counter[hashid].fails <= 0) { + if (counter[hashid].fails <= 0) { delete counter[hashid]; } } } } }; - -BadOffersCache.prototype._getCommonHashId = function(item) { +BadOffersCache.prototype._getCommonHashId = function (item) { return item.instanceId + "_" + item.classId; }; - -BadOffersCache.prototype._getPreciseHashId = function(item) { +BadOffersCache.prototype._getPreciseHashId = function (item) { return this._getCommonHashId(item) + "_" + item.price; }; diff --git a/lib/ManagerApiLogger.js b/dist/_lib/ManagerApiLogger.js similarity index 80% rename from lib/ManagerApiLogger.js rename to dist/_lib/ManagerApiLogger.js index 8c25999..d128035 100644 --- a/lib/ManagerApiLogger.js +++ b/dist/_lib/ManagerApiLogger.js @@ -1,54 +1,44 @@ "use strict"; - const fs = require("fs"); const tracer = require("tracer"); - const MarketManager = require("./MarketManager"); - /** * @memberof MarketManager */ -MarketManager.prototype._enableApiLog = function() { +MarketManager.prototype._enableApiLog = function () { let log = this._getLogObj(); - this.layer.api.events.on("_apiCall", (url, id, data) => { let keyRegExp = new RegExp(`([?&])(key=${this.layer._config.apiKey}&?)`, "ig"); - url = decodeURIComponent(url); // decode url url = url.replace(keyRegExp, "$1"); // remove api key url = url.replace(/(\/\??)$/, ""); // remove trailing `/`, and trailing `/?` - - if(data) { + if (data) { log.trace("[%d] -> %s %j", id, url, data); - } else { + } + else { log.trace("[%d] -> %s", id, url); } }); - this.layer.api.events.on("_apiResponse", (data, id) => { log.debug("[%d] <- %j", id, data); }); }; - /** * @memberof MarketManager */ -MarketManager.prototype._getLogObj = function() { +MarketManager.prototype._getLogObj = function () { let logPrefix = "all_logs"; - let logConf = this._config.logApiCalls; - if(typeof logConf === "object" && logConf !== null) { + if (typeof logConf === "object" && logConf !== null) { return logConf; } - if(typeof logConf === "string" && logConf.length > 0) { + if (typeof logConf === "string" && logConf.length > 0) { logPrefix = logConf; } - let logPath = this.__getDataPath("tm_calls"); - if(!fs.existsSync(logPath)) { + if (!fs.existsSync(logPath)) { fs.mkdirSync(logPath); } - return tracer.dailyfile({ root: logPath, maxLogFiles: 30, diff --git a/lib/ManagerBalanceUpdater.js b/dist/_lib/ManagerBalanceUpdater.js similarity index 75% rename from lib/ManagerBalanceUpdater.js rename to dist/_lib/ManagerBalanceUpdater.js index 0d7223a..a2d1aa2 100644 --- a/lib/ManagerBalanceUpdater.js +++ b/dist/_lib/ManagerBalanceUpdater.js @@ -1,59 +1,47 @@ "use strict"; - const MarketManager = require("./MarketManager"); const EManagerEvent = require("./enums/EManagerEvent"); const ESocketEvent = require("../market/enums/ESocketEvent"); - -const ChangeableInterval = require("../modules/ChangeableInterval"); - +const ChangeableInterval = require("../../modules/ChangeableInterval"); /** * @memberof MarketManager */ -MarketManager.prototype.getBalance = function() { +MarketManager.prototype.getBalance = function () { return this._wallet; }; - /** * @memberof MarketManager */ -MarketManager.prototype.getCurrency = function() { +MarketManager.prototype.getCurrency = function () { return this._currency; }; - /** * @memberof MarketManager */ -MarketManager.prototype._startBalanceUpdater = function() { +MarketManager.prototype._startBalanceUpdater = function () { this._startBalanceValidator(); - this.ws.on(ESocketEvent.BalanceUpdate, (newBalance) => { - if(newBalance === 0) { + if (newBalance === 0) { // Here probably a bug happened return this.updateWallet().catch(e => this._log.error(e)); } - this._setNewBalance(newBalance); }); - // Handling new balance this.on(EManagerEvent.BalanceUpdate, (newBalance) => { this.layer.setAccountBalance(newBalance); }); }; - /** * @memberof MarketManager */ -MarketManager.prototype._startBalanceValidator = function() { +MarketManager.prototype._startBalanceValidator = function () { let maxUpdate = this._config.balanceValidationInterval; let minUpdate = maxUpdate / 10; - let updateCall = () => this.updateWallet(); let getIntervalTime = () => this.ws.isConnected() ? maxUpdate : minUpdate; - this.__walletUpdateInterval = new ChangeableInterval(updateCall, getIntervalTime()); this.__walletUpdateInterval.execute(); - this.ws.on(ESocketEvent.DeAuth, () => { this.__walletUpdateInterval.change(minUpdate); }); @@ -61,47 +49,40 @@ MarketManager.prototype._startBalanceValidator = function() { this.__walletUpdateInterval.change(maxUpdate); }); }; - /** * @memberof MarketManager */ -MarketManager.prototype.updateWallet = async function() { +MarketManager.prototype.updateWallet = async function () { try { const data = await this.layer.getBalance(); const walletCents = Math.trunc(data.money * 100); - this._currency = data.currency; this._setNewBalance(walletCents); - } catch(e) { + } + catch (e) { this._log.error("Error occurred on getBalance:", e); } }; - /** * @memberof MarketManager */ -MarketManager.prototype._changeBalance = function(delta, explicit = false) { - if(explicit || !this.ws.isConnected()) { +MarketManager.prototype._changeBalance = function (delta, explicit = false) { + if (explicit || !this.ws.isConnected()) { this._wallet += delta; - this.emit(EManagerEvent.BalanceUpdate, this._wallet, delta); } }; - /** * @memberof MarketManager */ -MarketManager.prototype._setNewBalance = function(balance) { - if(this._wallet === balance) { +MarketManager.prototype._setNewBalance = function (balance) { + if (this._wallet === balance) { return; } - let delta = null; - if(this._wallet !== null) { + if (this._wallet !== null) { delta = this._wallet - balance; } - this._wallet = balance; - this.emit(EManagerEvent.BalanceUpdate, this._wallet, delta); }; diff --git a/dist/_lib/MarketKnapsack.js b/dist/_lib/MarketKnapsack.js new file mode 100644 index 0000000..cf973fc --- /dev/null +++ b/dist/_lib/MarketKnapsack.js @@ -0,0 +1,206 @@ +"use strict"; +const ITEM_RECHECK_INTERVAL = 10 * 1000; +const EventEmitter = require("events").EventEmitter; +const EMarketItemStatus = require("../market/enums/system/EMarketItemStatus"); +const EKnapsackItemStatus = require("./enums/EKnapsackItemStatus"); +const ESocketEvent = require("../market/enums/ESocketEvent"); +const EKnapsackEvent = require("./enums/EKnapsackEvent"); +const CKnapsackItem = require("./classes/CKnapsackItem"); +const CKnapsackTrade = require("./classes/CKnapsackTrade"); +const ChangeableInterval = require("../../modules/ChangeableInterval"); +module.exports = MarketKnapsack; +require("util").inherits(MarketKnapsack, EventEmitter); +/** + * Manages: items list, their precise state/events, trades info/creation + * + * @param {CKnapsackConfig} config + * @param {MarketLayer} layer + * @param {MarketSockets} sockets + * @param {console} [_logger] + * @constructor + * @extends {EventEmitter} + */ +function MarketKnapsack(config, layer, sockets, _logger = console) { + this._config = config; + /** @interface {console} */ + this._log = _logger; + this.started = false; + this._market = layer; + this._sockets = sockets; + /** + * Indexed by item.ui_id + * @type {Object.} + */ + this.items = {}; + /** + * Indexed by Market bot id. We need it to avoid multiple requests of the same bot + * @type {Object.} + */ + this.trades = {}; +} +MarketKnapsack.prototype.start = function () { + if (this.started) { + return; + } + this.started = true; + this._log.trace("Starting knapsack"); + this._setCheckInterval(); + this._setWsEvents(); +}; +MarketKnapsack.prototype._setCheckInterval = function () { + this._checker = new ChangeableInterval(() => this.check(), this._config.updateInterval); +}; +MarketKnapsack.prototype._setWsEvents = function () { + this._sockets.on(ESocketEvent.Auth, () => { + this._checker.change(this._config.validationInterval); + }); + this._sockets.on(ESocketEvent.DeAuth, () => { + this._checker.change(this._config.updateInterval); + }); + this._sockets.on(ESocketEvent.ItemAdd, (data) => { + //console.log("itemAdd", data); + let item = new CKnapsackItem(data); + this._add(item, data); + }); + this._sockets.on(ESocketEvent.ItemTake, (data) => { + //console.log("itemTake", data); + let item = this.items[data.ui_id]; + this._update(item, data); + }); + this._sockets.on(ESocketEvent.ItemRemove, (data) => { + //console.log("itemRemove", data); + let item = this.items[data.ui_id]; + this._remove(item); + }); +}; +MarketKnapsack.prototype.itemsCount = function () { + let data = { + pending: 0, + sent: 0, // We are ready to take them or they are already sent + }; + for (let id in this.items) { + let item = this.items[id]; + switch (item.status) { + case EKnapsackItemStatus.Pending: + data.pending++; + break; + case EKnapsackItemStatus.Sent: + data.sent++; + break; + } + } + return data; +}; +/** + * @param {CKnapsackItem} item + * @param {Object} data + * @private + */ +MarketKnapsack.prototype._add = function (item, data) { + if (this.items[item.uiId]) { + this._update(item, data); + return; + } + this.items[item.uiId] = item; + this.emit(EKnapsackEvent.ItemAdd, item); + this.emit(EKnapsackEvent.Update); +}; +/** + * @param {CKnapsackItem} item + * @param {Object} data + * @private + */ +MarketKnapsack.prototype._update = function (item, data) { + if (!item) { + return; // Invalid action + } + if (item.status === data.status) { + // todo + } + // todo + this.emit(EKnapsackEvent.ItemUpdate, item); + this.emit(EKnapsackEvent.Update); +}; +/** + * @param {CKnapsackItem} item + * @private + */ +MarketKnapsack.prototype._remove = function (item) { + if (!item) { + return; // Invalid action + } + // todo + this.emit(EKnapsackEvent.ItemAccepted, item); + this.emit(EKnapsackEvent.Update); +}; +MarketKnapsack.prototype.check = function () { + // todo +}; +// +// +// Deprecated +// +// +MarketKnapsack.prototype.add = function (item) { + self.processItem(item); +}; +MarketKnapsack.prototype.update = function (item) { + self.processItem(item); +}; +MarketKnapsack.prototype.processItem = function (item) { + let updated = false; + if (!self.items[item.ui_id]) { + self.items[item.ui_id] = item; + updated = self._changeCounters(item, 1); + } + else { + let cItem = self.items[item.ui_id]; + if (cItem.ui_status !== item.ui_status) { + self._changeCounters(cItem, -1); + cItem.ui_status = item.ui_status; + updated = self._changeCounters(cItem, 1); + } + } + if (updated) { + self.emit("updated"); + } +}; +MarketKnapsack.prototype.remove = function (item) { + let updated = false; + if (self.items[item.ui_id]) { + updated = self._changeCounters(self.items[item.ui_id], -1); + delete self.items[item.ui_id]; + } + if (updated) { + self.emit("updated"); + } +}; +// get real tm list and compare it with ours. In ideal world there should not be any changes +MarketKnapsack.prototype.__check = function () { + return new Promise((res, rej) => { + _market.getTrades().then((trades) => { + let cPending = 0, cToTake = 0; + let cItems = {}; + trades.forEach((item) => { + if (item.ui_status === EMarketItemStatus.Pending) { + cPending++; + } + else if (item.ui_status === EMarketItemStatus.NeedToTake) { + cToTake++; + } + cItems[item.ui_id] = item; + }); + let updated = self.pendingItemsCount !== cPending || self.takeItemsCount !== cToTake; + self.pendingItemsCount = cPending; + self.takeItemsCount = cToTake; + self.items = cItems; + self._lastCheck = Date.now(); + if (updated) { + self.emit("updated"); + } + res(); + }).catch((err) => { + this._log.error(err); + }); + }); +}; diff --git a/lib/MarketManager.js b/dist/_lib/MarketManager.js similarity index 79% rename from lib/MarketManager.js rename to dist/_lib/MarketManager.js index 8a5c771..0f57ca1 100644 --- a/lib/MarketManager.js +++ b/dist/_lib/MarketManager.js @@ -1,27 +1,20 @@ "use strict"; - const UNSAFE_HTTP_CODES = [500, 520, 527]; - const path = require("path"); const EventEmitter = require("events").EventEmitter; - const MarketLayer = require("../market/MarketLayer"); const MarketSockets = require("../market/MarketSockets"); const MarketKnapsack = require("./MarketKnapsack"); - const MiddlewareError = require("../market/classes/MiddlewareError"); const BadOffersCache = require("./BadOffersCache"); - const EManagerEvent = require("./enums/EManagerEvent"); const EKnapsackEvent = require("./enums/EKnapsackEvent"); const ESocketEvent = require("../market/enums/ESocketEvent"); const EErrorSource = require("../market/enums/EErrorSource"); const EErrorType = require("../market/enums/EErrorType"); const EMarketEventStage = require("../market/enums/system/EMarketEventStage"); - module.exports = MarketManager; require("util").inherits(MarketManager, EventEmitter); - /** * Manages: initialization, high lever interface, balance, [market status,] * @@ -32,77 +25,60 @@ require("util").inherits(MarketManager, EventEmitter); */ function MarketManager(config, _logger = console) { this._config = config; - /** @type {Console} */ this._log = _logger; - this.started = false; - - if(this._config.dataDir) { + if (this._config.dataDir) { let errorLog = this.__getDataPath("tm_errors"); config.market.setErrorPath(errorLog); } - this.layer = new MarketLayer(config.market, _logger); this.ws = new MarketSockets(config.sockets, this.layer, _logger); this.knapsack = new MarketKnapsack(config.knapsack, this.layer, this.ws, _logger); - - if(this._config.logApiCalls) { + if (this._config.logApiCalls) { this._enableApiLog(); } - this._badOffers = new BadOffersCache(config.badOffers); - this._currency = null; this._wallet = null; } - -MarketManager.prototype.start = async function() { - if(this.started) { +MarketManager.prototype.start = async function () { + if (this.started) { return; } this.started = true; - this._log.trace("Starting manager"); - this._setWsEvents(); - this.layer.start(); await this.ws.start(); - await this.updateWallet(); this.knapsack.start(); this._badOffers.start(); - this._knapsackBadOffersSubscribe(); this._startBalanceUpdater(); }; - -MarketManager.prototype.buy = function(hashName, goodPrice, partnerId, tradeToken) { +MarketManager.prototype.buy = function (hashName, goodPrice, partnerId, tradeToken) { let tradeData; - if(typeof partnerId === "object" && !tradeToken) { + if (typeof partnerId === "object" && !tradeToken) { tradeData = partnerId; - } else { + } + else { tradeData = this.layer.tradeData(partnerId, tradeToken); } - return this.layer.getItemOffers(hashName, goodPrice).then((offers) => { - if(this._config.avoidBadBots) { + if (this._config.avoidBadBots) { return this._buyAndAvoid(offers, tradeData); } - return this.layer.buyCheapest(offers, tradeData); }).then((item) => { this._changeBalance(-item.price); - return item; }).catch((err) => { // todo: Если получили в ответ http ошибку, то проверять по истории операций, что предмет не был куплен - if(this._config.safeBuyRequests && err.statusCode && UNSAFE_HTTP_CODES.includes(err.statusCode)) { + if (this._config.safeBuyRequests && err.statusCode && UNSAFE_HTTP_CODES.includes(err.statusCode)) { return this.layer.getBoughtItems(new Date(), 20 * 1000).then((items) => { // todo console.log("TODO: add safeBuyRequests code", err.statusCode, items, err.instance); - let boughtItem = items.filter((item) => { return 0; }); @@ -110,109 +86,90 @@ MarketManager.prototype.buy = function(hashName, goodPrice, partnerId, tradeToke throw err; }); } - if(err instanceof MiddlewareError && err.type === EErrorType.NeedMoney) { + if (err instanceof MiddlewareError && err.type === EErrorType.NeedMoney) { this.emit(EManagerEvent.NeedMoney, err.needMoney); } - throw err; }); }; - -MarketManager.prototype.massItemStatus = async function(items, margin = 15 * 60 * 1000) { +MarketManager.prototype.massItemStatus = async function (items, margin = 15 * 60 * 1000) { let statuses = {}; - - while(Object.keys(items).length) { + while (Object.keys(items).length) { let itemId = Object.keys(items).pop(); let itemDate = items[itemId]; - let foundItems; try { let boughtItems = await this.layer.getBoughtItems(itemDate, margin); foundItems = boughtItems.filter((ev) => Object.keys(items).includes(String(ev.item))); - } catch(err) { - if(err instanceof MiddlewareError && err.type === EErrorType.NotFound) { + } + catch (err) { + if (err instanceof MiddlewareError && err.type === EErrorType.NotFound) { foundItems = []; - } else { + } + else { throw err; } } - foundItems.forEach((ev) => { let marketId = String(ev.item); - let stage = Number(ev.stage); - if(EMarketEventStage.has(stage)) { + if (EMarketEventStage.has(stage)) { statuses[marketId] = stage; - } else { + } + else { this._log.error("Unknown market item#" + marketId + " operation stage", stage); } - delete items[marketId]; }); - // Support for wrong items - if(items[itemId]) { + if (items[itemId]) { statuses[itemId] = null; delete items[itemId]; } } - return statuses; }; - -MarketManager.prototype._buyAndAvoid = async function(offers, tradeData) { +MarketManager.prototype._buyAndAvoid = async function (offers, tradeData) { let goodOffers = offers.filter((el) => !this._badOffers.isBad(el)); let otherOffers = offers.filter((el) => this._badOffers.isBad(el)); - try { let bought = await this.layer.buyCheapest(goodOffers, tradeData); - this._badOffers.storeBoughtOffer(bought); - return bought; - } catch(e) { - if(otherOffers.length && e instanceof MiddlewareError && e.source !== EErrorSource.User) { + } + catch (e) { + if (otherOffers.length && e instanceof MiddlewareError && e.source !== EErrorSource.User) { return await this.layer.buyCheapest(otherOffers, tradeData); } - throw e; } }; - -MarketManager.prototype._setWsEvents = function() { +MarketManager.prototype._setWsEvents = function () { this.ws.on(ESocketEvent.Connected, () => { this._log.log("Connected to market websockets"); }); - this.ws.on(ESocketEvent.Auth, () => { this._log.log("Authorized in market websockets"); - this.layer.pingEnabled = false; }); this.ws.on(ESocketEvent.DeAuth, () => { this._log.log("Deauthorized from market websockets"); - this.layer.pingEnabled = true; }); - this.ws.on(ESocketEvent.Stuck, () => { this._log.log("Market websockets stuck. Reconnecting.."); - this.ws.reconnect(); }); }; - -MarketManager.prototype._knapsackBadOffersSubscribe = function() { +MarketManager.prototype._knapsackBadOffersSubscribe = function () { this.knapsack.on(EKnapsackEvent.ItemExpired, (item) => { - if(this._config.avoidBadBots) { + if (this._config.avoidBadBots) { this._badOffers.markAsBad(item); } }); }; - -MarketManager.prototype.__getDataPath = function(subPath) { +MarketManager.prototype.__getDataPath = function (subPath) { return path.resolve(this._config.dataDir, subPath); }; - require("./ManagerBalanceUpdater"); require("./ManagerApiLogger"); diff --git a/lib/classes/CKnapsackItem.js b/dist/_lib/classes/CKnapsackItem.js similarity index 81% rename from lib/classes/CKnapsackItem.js rename to dist/_lib/classes/CKnapsackItem.js index 7d94cc8..fc54479 100644 --- a/lib/classes/CKnapsackItem.js +++ b/dist/_lib/classes/CKnapsackItem.js @@ -1,10 +1,7 @@ "use strict"; - const EMarketItemStatus = require("../../market/enums/system/EMarketItemStatus"); const EKnapsackItemStatus = require("../enums/EKnapsackItemStatus"); - module.exports = CKnapsackItem; - /** * @param {Object} opts * @constructor @@ -12,25 +9,20 @@ module.exports = CKnapsackItem; function CKnapsackItem(opts) { this.uiId = opts.ui_id; this.bId = opts.ui_bid; - this.classId = opts.i_classid; this.instanceId = opts.i_instanceid; this.price = opts.ui_price; - this.setStatus(opts); - this.trade = null; this.tradeUpdated = Date.now(); - this.expireDate = Date.now() + opts.left * 1000; } - -CKnapsackItem.prototype.setStatus = function(code) { - if(typeof code === "object") { +CKnapsackItem.prototype.setStatus = function (code) { + if (typeof code === "object") { code = code.ui_status; } - if(!isNaN(code)) { - switch(Number(code)) { + if (!isNaN(code)) { + switch (Number(code)) { case EMarketItemStatus.Pending: code = EKnapsackItemStatus.Pending; break; @@ -42,18 +34,15 @@ CKnapsackItem.prototype.setStatus = function(code) { break; } } - this.status = code; }; - /** * @param {CKnapsackTrade} trade */ -CKnapsackItem.prototype.setNewTrade = function(trade) { +CKnapsackItem.prototype.setNewTrade = function (trade) { this.trade = trade; this.tradeUpdated = Date.now(); }; - -CKnapsackItem.prototype.getLeftTime = function() { +CKnapsackItem.prototype.getLeftTime = function () { return Math.max(this.expireDate - Date.now(), -1); }; diff --git a/lib/classes/CKnapsackTrade.js b/dist/_lib/classes/CKnapsackTrade.js similarity index 85% rename from lib/classes/CKnapsackTrade.js rename to dist/_lib/classes/CKnapsackTrade.js index b89da97..55658d2 100644 --- a/lib/classes/CKnapsackTrade.js +++ b/dist/_lib/classes/CKnapsackTrade.js @@ -1,7 +1,5 @@ "use strict"; - module.exports = CKnapsackTrade; - /** * @param {Object} data * @param {CKnapsackItem?} item @@ -10,21 +8,17 @@ module.exports = CKnapsackTrade; function CKnapsackTrade(data, item = null) { this.tradeId = data.trade_id; this.bid = data.bot_id; - this.time = data.time; this._secret = data.secret; - this.items = []; - if(item) { + if (item) { this.addItem(item); } } - /** * @param {CKnapsackItem?} item */ -CKnapsackTrade.prototype.addItem = function(item) { +CKnapsackTrade.prototype.addItem = function (item) { item.setNewTrade(this); - this.items.push(item); }; diff --git a/lib/config/CBadOffersConfig.js b/dist/_lib/config/CBadOffersConfig.js similarity index 99% rename from lib/config/CBadOffersConfig.js rename to dist/_lib/config/CBadOffersConfig.js index 0477c4e..23b0052 100644 --- a/lib/config/CBadOffersConfig.js +++ b/dist/_lib/config/CBadOffersConfig.js @@ -1,19 +1,14 @@ "use strict"; - module.exports = CBadOffersConfig; - /** * @param {Object} opts * @constructor */ function CBadOffersConfig(opts) { this.boughtOffersCache = Number(opts.boughtOffersCache || 2 * 60 * 60); // We need it because knapsack is not working. Seconds - this.updateInterval = Number(opts.updateInterval || 20 * 1000); // Auto-decreasing checker interval this.penaltyTime = Number(opts.penaltyTime || 60 * 60 * 1000); // In what period offer will loose one penalty point - this.minPreciseFails = Number(opts.minPreciseFails || 1); this.minCommonFails = Number(opts.minCommonFails || 5); - this.shareCounters = typeof opts.shareCounters !== "undefined" ? Boolean(opts.shareCounters) : false; // for running bots cluster } diff --git a/lib/config/CKnapsackConfig.js b/dist/_lib/config/CKnapsackConfig.js similarity index 99% rename from lib/config/CKnapsackConfig.js rename to dist/_lib/config/CKnapsackConfig.js index 7de738b..b3d23f2 100644 --- a/lib/config/CKnapsackConfig.js +++ b/dist/_lib/config/CKnapsackConfig.js @@ -1,7 +1,5 @@ "use strict"; - module.exports = CKnapsackConfig; - /** * @param {Object} opts * @constructor diff --git a/lib/config/CManagerConfig.js b/dist/_lib/config/CManagerConfig.js similarity index 84% rename from lib/config/CManagerConfig.js rename to dist/_lib/config/CManagerConfig.js index 34eff4f..0242506 100644 --- a/lib/config/CManagerConfig.js +++ b/dist/_lib/config/CManagerConfig.js @@ -1,18 +1,14 @@ "use strict"; - const path = require("path"); const fs = require("fs"); const Url = require("url"); const HttpsProxyAgent = require("https-proxy-agent"); const Tunnel = require("tunnel"); - const CKnapsackConfig = require("./CKnapsackConfig"); const CMarketConfig = require("./CMarketConfig"); const CSocketsConfig = require("./CSocketsConfig"); const CBadOffersConfig = require("./CBadOffersConfig"); - module.exports = CManagerConfig; - /** * @param {Object} opts * @param {String?} [proxy] @@ -20,47 +16,37 @@ module.exports = CManagerConfig; */ function CManagerConfig(opts, proxy = null) { this.proxy = proxy; - let config = opts.manager || {}; - this.balanceValidationInterval = Number(config.balanceValidationInterval || 1.5 * 60 * 1000); this.avoidBadBots = typeof config.avoidBadBots !== "undefined" ? Boolean(config.avoidBadBots) : false; this.safeBuyRequests = typeof config.safeBuyRequests !== "undefined" ? Boolean(config.safeBuyRequests) : false; this.logApiCalls = config.logApiCalls ? config.logApiCalls : false; - this.dataDir = null; - if(config.dataDir) { - if(!path.isAbsolute(config.dataDir)) { + if (config.dataDir) { + if (!path.isAbsolute(config.dataDir)) { throw new Error("Invalid config: dataDir should be absolute path"); } - this.dataDir = config.dataDir; - if(!fs.existsSync(this.dataDir)) { + if (!fs.existsSync(this.dataDir)) { fs.mkdirSync(this.dataDir); } } - this.market = new CMarketConfig(opts.market || {}, this.getHttpsProxy()); this.sockets = new CSocketsConfig(opts.sockets || {}, this.getWsProxy()); this.knapsack = new CKnapsackConfig(opts.knapsack || {}); this.badOffers = new CBadOffersConfig(opts.badOffers || {}); } - -CManagerConfig.prototype.getWsProxy = function(opts = {}) { - if(!this.proxy) { +CManagerConfig.prototype.getWsProxy = function (opts = {}) { + if (!this.proxy) { return null; } - return new HttpsProxyAgent(this._parseProxyUrl(this.proxy, opts)); }; - -CManagerConfig.prototype.getHttpsProxy = function(opts = {}) { - if(!this.proxy) { +CManagerConfig.prototype.getHttpsProxy = function (opts = {}) { + if (!this.proxy) { return null; } - let p = this._parseProxyUrl(this.proxy, opts); - return Tunnel.httpsOverHttp({ proxy: { host: p.hostname, @@ -69,7 +55,6 @@ CManagerConfig.prototype.getHttpsProxy = function(opts = {}) { } }); }; - -CManagerConfig.prototype._parseProxyUrl = function(url, opts) { +CManagerConfig.prototype._parseProxyUrl = function (url, opts) { return Object.assign({}, Url.parse(url), opts); }; diff --git a/lib/config/CMarketConfig.js b/dist/_lib/config/CMarketConfig.js similarity index 93% rename from lib/config/CMarketConfig.js rename to dist/_lib/config/CMarketConfig.js index 554a42e..f89dbf5 100644 --- a/lib/config/CMarketConfig.js +++ b/dist/_lib/config/CMarketConfig.js @@ -1,9 +1,6 @@ "use strict"; - const path = require("path"); - module.exports = CMarketConfig; - /** * @param {Object} opts * @property {String} opts.apiKey @@ -21,36 +18,26 @@ module.exports = CMarketConfig; */ function CMarketConfig(opts, proxy = null) { this.apiKey = opts.apiKey; - this.pingInterval = Number(opts.pingInterval || (3 * 60 * 1000 + 5 * 1000)); // We need to ping TM every 3 minutes; 5 seconds margin cause TM is silly this.discountUpdateInterval = Number(opts.discountUpdateInterval || (60 * 60 * 1000)); - this.errorLogPath = null; - this.price = { fluctuation: Number(opts.allowedPriceFluctuation || 0), compromiseFactor: Number(opts.compromiseFactor || 0), minCompromise: Number(opts.minCompromise || 0), }; - this.handleTimezone = typeof opts.handleTimezone !== "undefined" ? Boolean(opts.handleTimezone) : false; this.hackExpiredOffers = typeof opts.hackExpiredOffers !== "undefined" ? Boolean(opts.hackExpiredOffers) : false; this.applyDiscounts = typeof opts.applyDiscounts !== "undefined" ? Boolean(opts.applyDiscounts) : false; - this.proxy = proxy; } - -CMarketConfig.prototype.setErrorPath = function(dirPath) { +CMarketConfig.prototype.setErrorPath = function (dirPath) { this.errorLogPath = path.normalize(path.resolve(dirPath)); }; - -CMarketConfig.prototype.preparePrice = function(price) { +CMarketConfig.prototype.preparePrice = function (price) { let allowedPrice = price * (1 + this.price.fluctuation); let compromise = Math.max(price * this.price.compromiseFactor, this.price.minCompromise); - let priceCap = allowedPrice + compromise; - //console.log("allowedPrice", allowedPrice, "compromise", compromise, "max", priceCap); - return priceCap; }; diff --git a/lib/config/CSocketsConfig.js b/dist/_lib/config/CSocketsConfig.js similarity index 99% rename from lib/config/CSocketsConfig.js rename to dist/_lib/config/CSocketsConfig.js index de68055..3c79906 100644 --- a/lib/config/CSocketsConfig.js +++ b/dist/_lib/config/CSocketsConfig.js @@ -1,9 +1,6 @@ "use strict"; - const WS_URL = "wss://wsnn.dota2.net/wsn/"; - module.exports = CSocketsConfig; - /** * @param {Object} opts * @param {String} opts.basePath @@ -14,6 +11,5 @@ module.exports = CSocketsConfig; function CSocketsConfig(opts, proxy = null) { this.basePath = opts.basePath || WS_URL; this.pingInterval = Number(opts.pingInterval || 20 * 1000); // We need to ping TM every 3 minutes; 5 seconds margin cause TM is silly - this.proxy = proxy; } diff --git a/dist/_lib/enums/EKnapsackEvent.js b/dist/_lib/enums/EKnapsackEvent.js new file mode 100644 index 0000000..456030f --- /dev/null +++ b/dist/_lib/enums/EKnapsackEvent.js @@ -0,0 +1,16 @@ +"use strict"; +/** + * @readonly + * @enum {String} + */ +const EKnapsackEvent = { + Update: 'knapsack_upd', + ItemAdd: 'add', + ItemUpdate: 'update', + ItemExpired: 'expired', + ItemAccepted: 'accepted', + TradeSent: 'sent', + TradeCanceled: 'canceled', // Отправленный трейд был отменен +}; +Object.freeze(EKnapsackEvent); +module.exports = EKnapsackEvent; diff --git a/lib/enums/EKnapsackItemStatus.js b/dist/_lib/enums/EKnapsackItemStatus.js similarity index 61% rename from lib/enums/EKnapsackItemStatus.js rename to dist/_lib/enums/EKnapsackItemStatus.js index 5204636..1976435 100644 --- a/lib/enums/EKnapsackItemStatus.js +++ b/dist/_lib/enums/EKnapsackItemStatus.js @@ -1,15 +1,13 @@ "use strict"; - /** * @readonly * @enum {String} */ const EKnapsackItemStatus = { - Pending: 'pending', // куплен, ожидаем продавца - Sent: 'sent', // отправлен пользоватею/нам - Accepted: 'accepted', // трейд принят + Pending: 'pending', + Sent: 'sent', + Accepted: 'accepted', Canceled: 'canceled', // трейд был отменен одной из сторон (предмет больше не будет отправлен) }; Object.freeze(EKnapsackItemStatus); - module.exports = EKnapsackItemStatus; diff --git a/lib/enums/EManagerEvent.js b/dist/_lib/enums/EManagerEvent.js similarity index 99% rename from lib/enums/EManagerEvent.js rename to dist/_lib/enums/EManagerEvent.js index 7dad6aa..94ee7b8 100644 --- a/lib/enums/EManagerEvent.js +++ b/dist/_lib/enums/EManagerEvent.js @@ -1,5 +1,4 @@ "use strict"; - /** * @readonly * @enum {String} @@ -9,5 +8,4 @@ const EManagerEvent = { NeedMoney: "needMoney", }; Object.freeze(EManagerEvent); - module.exports = EManagerEvent; diff --git a/debug/EventDebug.js b/dist/debug/EventDebug.js similarity index 62% rename from debug/EventDebug.js rename to dist/debug/EventDebug.js index 4257ee7..e788edd 100644 --- a/debug/EventDebug.js +++ b/dist/debug/EventDebug.js @@ -1,42 +1,28 @@ "use strict"; - const chalk = require("chalk"); const pretty = require("prettyjson"); - let start = null; - -module.exports = function(emitter, type, displayData = false, except = [], only = []) { +module.exports = function (emitter, type, displayData = false, except = [], only = []) { let emit = emitter && emitter.emit; - if(typeof emit !== "function") { + if (typeof emit !== "function") { return; } - let tag = type || emitter.constructor.name; - - emitter.emit = function(event) { - if(except.includes(event)) { + emitter.emit = function (event) { + if (except.includes(event)) { return; } - if(only.length > 0 && !only.includes(event)) { + if (only.length > 0 && !only.includes(event)) { return; } - let end = Date.now(); let diff = start === null ? 0 : end - start; - start = end; - - console.error( - chalk.yellow(tag + ":"), - chalk.white(event), - chalk.magenta("+" + diff + "ms") - ); - if(displayData) { + console.error(chalk.yellow(tag + ":"), chalk.white(event), chalk.magenta("+" + diff + "ms")); + if (displayData) { let args = Array.prototype.slice.call(arguments, 1); - - if(args.length) { + if (args.length) { let data = args.length === 1 ? args[0] : args; - console.error(pretty.render(data, { dashColor: "yellow", stringColor: "gray", @@ -44,7 +30,6 @@ module.exports = function(emitter, type, displayData = false, except = [], only }, 2)); } } - return emit.apply(this, arguments); }; }; diff --git a/debug/Logger.js b/dist/debug/Logger.js similarity index 74% rename from debug/Logger.js rename to dist/debug/Logger.js index 24cb928..61c2680 100644 --- a/debug/Logger.js +++ b/dist/debug/Logger.js @@ -1,10 +1,7 @@ "use strict"; - const merge = require("merge"); const tracer = require("tracer"); - module.exports = Logger; - /** * Simple logger wrapper * @@ -13,60 +10,49 @@ module.exports = Logger; * @constructor */ function Logger(config) { - if(!(this instanceof Logger)) { + if (!(this instanceof Logger)) { return new Logger(config); } - this._config = merge.clone(config); - this.worker = tracer.console(this._config); } - -Logger.prototype.clone = function(config) { +Logger.prototype.clone = function (config) { let newConfig = merge.recursive(true, this._config, config); - return new Logger(newConfig); }; - /** * Logs any set of data */ -Logger.prototype.log = function() { +Logger.prototype.log = function () { this._callMethod("log", arguments); }; - /** * Logs any set of data */ -Logger.prototype.trace = function() { +Logger.prototype.trace = function () { this._callMethod("trace", arguments); }; - /** * Logs any set of data */ -Logger.prototype.info = function() { +Logger.prototype.info = function () { this._callMethod("info", arguments); }; - /** * Logs any set of data */ -Logger.prototype.warn = function() { +Logger.prototype.warn = function () { this._callMethod("warn", arguments); }; - /** * Logs any set of data */ -Logger.prototype.error = function() { +Logger.prototype.error = function () { this._callMethod("error", arguments); }; - -Logger.prototype._callMethod = function(name, args) { +Logger.prototype._callMethod = function (name, args) { this.worker[name].apply(this.worker, parseArguments(args)); }; - function parseArguments(args) { return [].slice.call(args); } diff --git a/debug/test.js b/dist/debug/test.js similarity index 91% rename from debug/test.js rename to dist/debug/test.js index e5be191..11fcba0 100644 --- a/debug/test.js +++ b/dist/debug/test.js @@ -1,16 +1,12 @@ "use strict"; - process.on("unhandledRejection", (ur) => { throw ur; }); - const fs = require("fs"); const json5 = require("json5"); - const MarketManager = require("../index"); const Logger = require("./Logger"); const eventDebug = require("./EventDebug"); - const log = new Logger({ format: [ "{{timestamp}} <{{title}}> {{message}}", @@ -20,16 +16,11 @@ const log = new Logger({ ], dateformat: "mm-dd HH:MM:ss.L", }); - let rawConfig = json5.parse(fs.readFileSync("debug/config.json")); let config = new MarketManager.CManagerConfig(rawConfig, null); - let manager = new MarketManager(config, log); - -(async() => { +(async () => { await manager.start(); })(); - eventDebug(manager.layer.api.events, "CsgoTmApi", true); eventDebug(manager.ws, null, true, ["pong", "message"]); -//eventDebug(manager.ws, null, true, [], ["message"]); diff --git a/dist/emitters/errors/API_error_emitter.js b/dist/emitters/errors/API_error_emitter.js new file mode 100644 index 0000000..1daaf29 --- /dev/null +++ b/dist/emitters/errors/API_error_emitter.js @@ -0,0 +1,14 @@ +{ + "test"; + 1; +} +const EVENT_EMITTER = require('events'); +//Root Error emitter +const COMMON_ERROR_EMITTER = require('./common_error_emitter'); +const API_ERROR_EMITTER = new EVENT_EMITTER(); +// Call root event emitter +API_ERROR_EMITTER.on('error', error => COMMON_ERROR_EMITTER.emit('error', { + name: 'Client error', + error: CLIENT_ERRORS[error] +})); +module.exports = API_ERROR_EMITTER; diff --git a/dist/emitters/errors/client_error_emitter.js b/dist/emitters/errors/client_error_emitter.js new file mode 100644 index 0000000..e7d8402 --- /dev/null +++ b/dist/emitters/errors/client_error_emitter.js @@ -0,0 +1,19 @@ +const EVENT_EMITTER = require('events'); +//Root Error emitter +const COMMON_ERROR_EMITTER = require('./common_error_emitter'); +//Get dictionary string for this error +const CLIENT_ERRORS = require('../../../json/dictionary.json').client_errors; +const CLIENT_ERROR_EMITTER = new EVENT_EMITTER(); +// Call root event emitter +CLIENT_ERROR_EMITTER.on('error', error => COMMON_ERROR_EMITTER.econst, EVENT_EMITTER = require('events')); +//Root Error emitter +const COMMON_ERROR_EMITTER = require('./common_error_emitter'); +//Get dictionary string for this error +const CLIENT_ERRORS = require('../../../json/dictionary.json').client_errors; +const CLIENT_ERROR_EMITTER = new EVENT_EMITTER(); +// Call root event emitter +CLIENT_ERROR_EMITTER.on('error', error => COMMON_ERROR_EMITTER.emit('error', { + name: 'Client error', + error: CLIENT_ERRORS[error] +})); +module.exports = CLIENT_ERROR_EMITTER; diff --git a/dist/emitters/errors/common_error_emitter.js b/dist/emitters/errors/common_error_emitter.js new file mode 100644 index 0000000..d058644 --- /dev/null +++ b/dist/emitters/errors/common_error_emitter.js @@ -0,0 +1,16 @@ +const EVENT_EMITTER = require('events'); +const COMMON_ERROR_EMITTER = new EVENT_EMITTER(); +COMMON_ERROR_EMITTER.on('error', errorData => { + throw { + name: errorData.name || 'Uncaught error', + error: new Error(errorData.error || 'Uncaught error') + }; +}); +const EVENT_EMITTER = require('events'); +const COMMON_ERROR_EMITTER = new EVENT_EMITTER(); +COMMON_ERROR_EMITTER.on('error', errorData => { + throw { + name: errorData.name || 'Uncaught error', + error: new Error(errorData.error || 'Uncaught error') + }; +}); diff --git a/dist/emitters/errors/crash_emitter.js b/dist/emitters/errors/crash_emitter.js new file mode 100644 index 0000000..8827989 --- /dev/null +++ b/dist/emitters/errors/crash_emitter.js @@ -0,0 +1,17 @@ +const EVENT_EMITTER = require('events'); +//Root Error emitter +const COMMON_ERROR_EMITTER = require('./common_error_emitter'); +//Get dictionary string for this error +const CLIENT_ERRORS = require('../../../json/dictionary.json').client_errors; +const CRASH_EMITTER = new EVENT_EMITconst, EVENT_EMITTER = require('events'); +//Root Error emitter +const COMMON_ERROR_EMITTER = require('./common_error_emitter'); +//Get dictionary string for this error +const CLIENT_ERRORS = require('../../../json/dictionary.json').client_errors; +const CRASH_EMITTER = new EVENT_EMITTER(); +// Call root event emitter +CRASH_EMITTER.on('error', error => COMMON_ERROR_EMITTER.emit('error', { + name: 'App crash error', + error: 'NPM module crashed. If this repeats please open an issue on Github. We are sorry' +})); +module.exports = CRASH_EMITTER; diff --git a/dist/emitters/errors/ws_error_emitter.js b/dist/emitters/errors/ws_error_emitter.js new file mode 100644 index 0000000..30e1f1b --- /dev/null +++ b/dist/emitters/errors/ws_error_emitter.js @@ -0,0 +1,24 @@ +const EVENT_EMITTER = require("events"); +//Root Error emitter +const COMMON_ERROR_EMITTER = require("./common_error_emitter"); +//Get dictionary string for this error +const WS_ERRORS = require("../../../json/dictionary.json").ws_errors; +const WS_ERROR_EMITTER = new EVENT_EMITTER(); +// Call root event emitter +WS_ERROR_EMITTER.on("error", (error) => COMMON_ERROR_EMITTER.emit("error", { + name: "Client error", + error: WS_ERRORS[error], +})); +module.exports = WS_ERROR_EMITTER; +const EVENT_EMITTER = require("events"); +//Root Error emitter +const COMMON_ERROR_EMITTER = require("./common_error_emitter"); +//Get dictionary string for this error +const WS_ERRORS = require("../../../json/dictionary.json").ws_errors; +const WS_ERROR_EMITTER = new EVENT_EMITTER(); +// Call root event emitter +WS_ERROR_EMITTER.on("error", (error) => COMMON_ERROR_EMITTER.emit("error", { + name: "Client error", + error: WS_ERRORS[error], +})); +module.exports = WS_ERROR_EMITTER; diff --git a/dist/emitters/index.js b/dist/emitters/index.js new file mode 100644 index 0000000..fd4d9ce --- /dev/null +++ b/dist/emitters/index.js @@ -0,0 +1,11 @@ +module.exports = function (eventName, eventData) { + const EMITTER_DATA = { + 'ws_stuck': { + message: 'Websocket stuck' + } + }; + return this.emit(eventName, { + ...eventData, + ...EMITTER_DATA[eventName] + }); +}; diff --git a/dist/enums/currencies.js b/dist/enums/currencies.js new file mode 100644 index 0000000..7d70ea4 --- /dev/null +++ b/dist/enums/currencies.js @@ -0,0 +1 @@ +module.exports = Object.freeze(['RUB', 'EUR', 'USD']); diff --git a/dist/enums/index.js b/dist/enums/index.js new file mode 100644 index 0000000..d49fd02 --- /dev/null +++ b/dist/enums/index.js @@ -0,0 +1,4 @@ +module.exports = { + MARKET_API_VERSIONS: require("./versions"), + CURRENCIES: require("./currencies"), +}; diff --git a/dist/enums/languages.js b/dist/enums/languages.js new file mode 100644 index 0000000..9d7bc22 --- /dev/null +++ b/dist/enums/languages.js @@ -0,0 +1 @@ +module.exports = Object.freeze(['en', 'ru']); diff --git a/dist/enums/validation_schemas/channels_names.js b/dist/enums/validation_schemas/channels_names.js new file mode 100644 index 0000000..ce03496 --- /dev/null +++ b/dist/enums/validation_schemas/channels_names.js @@ -0,0 +1,11 @@ +module.exports = Object.freeze(['en', 'ru']); +module.exports = Object.freeze({ + public: ["newitems_go", "history_go"], + private: [ + "additem_go", + "itemout_new_go", + "itemstatus_go", + "money", + "webnotify", + ], +}); diff --git a/dist/enums/validation_schemas/default_validation_schema.js b/dist/enums/validation_schemas/default_validation_schema.js new file mode 100644 index 0000000..aaf0aac --- /dev/null +++ b/dist/enums/validation_schemas/default_validation_schema.js @@ -0,0 +1,3 @@ +// @ts-ignore +const JOI = require("joi"); +module.exports = JOI.any(); diff --git a/dist/enums/validation_schemas/init_options_validation_schema.js b/dist/enums/validation_schemas/init_options_validation_schema.js new file mode 100644 index 0000000..48a18f4 --- /dev/null +++ b/dist/enums/validation_schemas/init_options_validation_schema.js @@ -0,0 +1,16 @@ +// @ts-ignore +const JOI = require("joi"); +const WS_VALIDATION_SCHEMA = JOI.object(Object.freeze({ + messageCallback: JOI.func().minArity(1), + channels: JOI.array().items(JOI.string().valid()), + onOpenCallback: JOI.func().minArity(1), + onCloseCallback: JOI.func().minArity(1), + onErrorCallback: JOI.func().minArity(1), +})); +//Check init options +module.exports = Object.freeze(JOI.object({ + APIKey: JOI.string().alphanum(), + v1: WS_VALIDATION_SCHEMA, + v2: WS_VALIDATION_SCHEMA, + marketAPIProvider: JOI.func(), +})); diff --git a/dist/enums/versions.js b/dist/enums/versions.js new file mode 100644 index 0000000..4bff1db --- /dev/null +++ b/dist/enums/versions.js @@ -0,0 +1 @@ +module.exports = Object.freeze(['v1', 'v2']); diff --git a/dist/helpers/getMarketAPI.js b/dist/helpers/getMarketAPI.js new file mode 100644 index 0000000..880bb65 --- /dev/null +++ b/dist/helpers/getMarketAPI.js @@ -0,0 +1,31 @@ +module.exports = Object.freeze(['v1', 'v2']); +const { CRASH_EMITTER, CLIENT_ERROR_EMITTER } = require("@emitters"); +const DICTIONARY = require('../../json/dictionary.json'); +const CSGO_MARKET_API_NPM_LIB = require("market-csgo-api"); +const IS_DEV = !!["development", "test"].find((env) => process.env.NODE_ENV === env); +module.exports = (initOptions) => { + try { + const LIB = IS_DEV + ? require("./../../market-csgo-api") + : CSGO_MARKET_API_NPM_LIB; + const CSGO_MARKET_API_PROVIDER = initOptions.marketAPIProvider || new LIB({ APIKey: initOptions.APIKey }); + const RANDOM_NUM = Math.floor(Math.random() * (1000000 - 1)) + 1; + const { customParam, APIKey } = CSGO_MARKET_API_PROVIDER.test(RANDOM_NUM); + if (RANDOM_NUM !== customParam) { + throw { + emitter: CRASH_EMITTER, + error: DICTIONARY.crash_errors.cant_init_library + }; + } + if (initOptions.APIKey !== APIKey) { + throw { + emitter: CLIENT_ERROR_EMITTER, + error: DICTIONARY.client_errors.different_API_keys + }; + } + } + catch (ex) { } + { + (ex.emitter || CRASH_EMITTER).emit('error', ex.error); + } +}; diff --git a/dist/helpers/get_market_API.js b/dist/helpers/get_market_API.js new file mode 100644 index 0000000..ac03600 --- /dev/null +++ b/dist/helpers/get_market_API.js @@ -0,0 +1,39 @@ +const CSGO_MARKET_API_NPM_LIB = require("market-csgo-api"); +/** + * + * @param {string} version + * @returns {ClassDecorator} + * Returns API provider from local repo for dev or from npm + */ +module.exports = function (version) { + const IS_DEV = ["development", "test"].includes(process.env.NODE_ENV); + const APIProviderBase = IS_DEV + ? require("./../../../market-csgo-api/dist") + : CSGO_MARKET_API_NPM_LIB; + /** + * A simple decorator to pre-process API errors and to raise them on manager level if they are server-side + * or return them to the initiator + * @type {ClassDecorator} + */ + const APIProvider = class extends APIProviderBase { + constructor() { + super(); + Object.keys(APIProvider[version]).map(method => { + APIProvider[version][method] = async function (params) { + try { + return APIProviderBase[version][method](params); + } + catch (error) { + if (error.code >= 500) { + return this.emit('APICrash', error); + } + else { + throw error; + } + } + }; + }); + } + }; + return APIProvider; +}; diff --git a/dist/helpers/get_trade_data.js b/dist/helpers/get_trade_data.js new file mode 100644 index 0000000..9846aef --- /dev/null +++ b/dist/helpers/get_trade_data.js @@ -0,0 +1,13 @@ +/** + * + * @param partnerId + * @param tradeToken + * @returns {{tradeToken: any, partnerId: any}} + * Formats trade data + */ +module.exports = function (partnerId, tradeToken) { + return (partnerId && tradeToken) ? { + partnerId: partnerId, + tradeToken: tradeToken, + } : null; +}; diff --git a/dist/helpers/index.js b/dist/helpers/index.js new file mode 100644 index 0000000..73ad9e3 --- /dev/null +++ b/dist/helpers/index.js @@ -0,0 +1,8 @@ +module.exports = { + VALIDATE_INIT_OPTIONS: require("./validators/validate_init_options"), + GET_MARKET_API: require("src/helpers/get_market_API"), +}; +module.exports = { + VALIDATE_INIT_OPTIONS: require("./validators/validate_init_options"), + GET_MARKET_API: require("src/helpers/get_market_API"), +}; diff --git a/dist/helpers/validators/index.js b/dist/helpers/validators/index.js new file mode 100644 index 0000000..722f7c7 --- /dev/null +++ b/dist/helpers/validators/index.js @@ -0,0 +1,10 @@ +const JOI = require("joi"); +const EMITTERS = require("@emitters"); +const DEFAULT_VALIDATION_SCHEMA = require("@defaultValidationSchema"); +const JOI = require("joi"); +const EMITTERS = require("@emitters"); +const DEFAULT_VALIDATION_SCHEMA = require("@defaultValidationSchema"); +module.exports = (object, schema = DEFAULT_VALIDATION_SCHEMA, emitterName) => { + let ERROR = JOI.validate(object, schema, { abortEarly: false }); + return ERROR && EMITTERS[emitterName](ERROR); +}; diff --git a/dist/helpers/validators/validate_init_options.js b/dist/helpers/validators/validate_init_options.js new file mode 100644 index 0000000..7c376d8 --- /dev/null +++ b/dist/helpers/validators/validate_init_options.js @@ -0,0 +1,12 @@ +const INIT_OPTIONS_VALIDATION_SCHEMA = require("../../enums/validation_schemas/init_options_validation_schema"); +const VALIDATE_WITH_JOI = require("@validateWithJoi"); +module.exports = (initOptions) => { + const SCHEMA = { INIT_OPTIONS_VALIDATION_SCHEMA }; + VALIDATE_WITH_JOI(initOptions, INIT_OPTIONS_VALIDATION_SCHEMA); + const INIT_OPTIONS_VALIDATION_SCHEMA = require("../../enums/validation_schemas/init_options_validation_schema"); + const VALIDATE_WITH_JOI = require("@validateWithJoi"); + module.exports = (initOptions) => { + const SCHEMA = { INIT_OPTIONS_VALIDATION_SCHEMA }; + VALIDATE_WITH_JOI(initOptions, INIT_OPTIONS_VALIDATION_SCHEMA, "clientErrorsEmitter"); + }; +}; diff --git a/dist/index.js b/dist/index.js new file mode 100644 index 0000000..016939a --- /dev/null +++ b/dist/index.js @@ -0,0 +1,5 @@ +"use strict"; +const MarketManager = require("./lib/MarketManager"); +const CManagerConfig = require("./lib/config/CManagerConfig"); +module.exports = MarketManager; +module.exports.CManagerConfig = CManagerConfig; diff --git a/dist/lib/BadOffersCache.js b/dist/lib/BadOffersCache.js new file mode 100644 index 0000000..5d78d1b --- /dev/null +++ b/dist/lib/BadOffersCache.js @@ -0,0 +1,101 @@ +"use strict"; +const NodeCache = require("node-cache"); +const globalCommonCounter = {}; +const globalPreciseCounter = {}; +module.exports = BadOffersCache; +/** + * @param {CBadOffersConfig} config + * @constructor + */ +function BadOffersCache(config) { + this._config = config; + this._commonCounters = this._config.shareCounters ? globalCommonCounter : {}; + this._preciseCounters = this._config.shareCounters ? globalPreciseCounter : {}; + // initially we did not need to have such cache + // but due to not working knapsack module we are force to use it for now + this._offersCache = new NodeCache({ + stdTTL: this._config.boughtOffersCache, + }); + this.started = false; +} +BadOffersCache.prototype.start = function () { + if (this.started) { + return; + } + this.started = true; + setInterval(() => { + this._autoDecrease(this._commonCounters); + this._autoDecrease(this._preciseCounters); + }, this._config.updateInterval); +}; +BadOffersCache.prototype.markAsBad = function (item) { + let commonHash = this._getCommonHashId(item); + this._updateCounter(this._commonCounters, commonHash); + if (typeof item.price !== "undefined") { + let preciseHash = this._getPreciseHashId(item); + this._updateCounter(this._preciseCounters, preciseHash); + } +}; +/** + * "Temporary" method. You may use it from your client application + */ +BadOffersCache.prototype.markAsBadByUid = function (uid, fallback = null) { + let item = this._findItemByUid(uid); + if (item) { + fallback = item; + } + if (fallback) { + this.markAsBad(fallback); + } +}; +BadOffersCache.prototype.storeBoughtOffer = function (boughtItem) { + this._offersCache.set(String(boughtItem.uiId), { + instanceId: boughtItem.instanceId, + classId: boughtItem.classId, + price: boughtItem.offerPrice, + }); +}; +BadOffersCache.prototype.isBad = function (item) { + let commonHash = this._getCommonHashId(item); + let preciseHash = this._getPreciseHashId(item); + if (this._commonCounters[commonHash] && this._commonCounters[commonHash].fails >= this._config.minCommonFails) { + return true; + } + if (this._preciseCounters[preciseHash] && this._preciseCounters[preciseHash].fails >= this._config.minPreciseFails) { + return true; + } + return false; +}; +BadOffersCache.prototype._findItemByUid = function (uid) { + return this._offersCache.get(String(uid)); +}; +BadOffersCache.prototype._updateCounter = function (counter, hash) { + if (!counter[hash]) { + counter[hash] = { + lastUpdate: Number.MAX_VALUE, + fails: 0, + }; + } + counter[hash].lastUpdate = Date.now(); + counter[hash].fails += 1; +}; +BadOffersCache.prototype._autoDecrease = function (counter) { + for (let hashid in counter) { + if (counter.hasOwnProperty(hashid)) { + let timePassed = Date.now() - counter[hashid].lastUpdate; + if (timePassed > this._config.penaltyTime) { + counter[hashid].lastUpdate = Date.now(); + counter[hashid].fails -= 1; + if (counter[hashid].fails <= 0) { + delete counter[hashid]; + } + } + } + } +}; +BadOffersCache.prototype._getCommonHashId = function (item) { + return item.instanceId + "_" + item.classId; +}; +BadOffersCache.prototype._getPreciseHashId = function (item) { + return this._getCommonHashId(item) + "_" + item.price; +}; diff --git a/dist/lib/ManagerApiLogger.js b/dist/lib/ManagerApiLogger.js new file mode 100644 index 0000000..d128035 --- /dev/null +++ b/dist/lib/ManagerApiLogger.js @@ -0,0 +1,51 @@ +"use strict"; +const fs = require("fs"); +const tracer = require("tracer"); +const MarketManager = require("./MarketManager"); +/** + * @memberof MarketManager + */ +MarketManager.prototype._enableApiLog = function () { + let log = this._getLogObj(); + this.layer.api.events.on("_apiCall", (url, id, data) => { + let keyRegExp = new RegExp(`([?&])(key=${this.layer._config.apiKey}&?)`, "ig"); + url = decodeURIComponent(url); // decode url + url = url.replace(keyRegExp, "$1"); // remove api key + url = url.replace(/(\/\??)$/, ""); // remove trailing `/`, and trailing `/?` + if (data) { + log.trace("[%d] -> %s %j", id, url, data); + } + else { + log.trace("[%d] -> %s", id, url); + } + }); + this.layer.api.events.on("_apiResponse", (data, id) => { + log.debug("[%d] <- %j", id, data); + }); +}; +/** + * @memberof MarketManager + */ +MarketManager.prototype._getLogObj = function () { + let logPrefix = "all_logs"; + let logConf = this._config.logApiCalls; + if (typeof logConf === "object" && logConf !== null) { + return logConf; + } + if (typeof logConf === "string" && logConf.length > 0) { + logPrefix = logConf; + } + let logPath = this.__getDataPath("tm_calls"); + if (!fs.existsSync(logPath)) { + fs.mkdirSync(logPath); + } + return tracer.dailyfile({ + root: logPath, + maxLogFiles: 30, + allLogsFileName: logPrefix, + format: [ + "<{{timestamp}}> {{message}}", + ], + dateformat: "yyyy-mm-dd HH:MM:ss.L", + }); +}; diff --git a/dist/lib/ManagerBalanceUpdater.js b/dist/lib/ManagerBalanceUpdater.js new file mode 100644 index 0000000..a2d1aa2 --- /dev/null +++ b/dist/lib/ManagerBalanceUpdater.js @@ -0,0 +1,88 @@ +"use strict"; +const MarketManager = require("./MarketManager"); +const EManagerEvent = require("./enums/EManagerEvent"); +const ESocketEvent = require("../market/enums/ESocketEvent"); +const ChangeableInterval = require("../../modules/ChangeableInterval"); +/** + * @memberof MarketManager + */ +MarketManager.prototype.getBalance = function () { + return this._wallet; +}; +/** + * @memberof MarketManager + */ +MarketManager.prototype.getCurrency = function () { + return this._currency; +}; +/** + * @memberof MarketManager + */ +MarketManager.prototype._startBalanceUpdater = function () { + this._startBalanceValidator(); + this.ws.on(ESocketEvent.BalanceUpdate, (newBalance) => { + if (newBalance === 0) { + // Here probably a bug happened + return this.updateWallet().catch(e => this._log.error(e)); + } + this._setNewBalance(newBalance); + }); + // Handling new balance + this.on(EManagerEvent.BalanceUpdate, (newBalance) => { + this.layer.setAccountBalance(newBalance); + }); +}; +/** + * @memberof MarketManager + */ +MarketManager.prototype._startBalanceValidator = function () { + let maxUpdate = this._config.balanceValidationInterval; + let minUpdate = maxUpdate / 10; + let updateCall = () => this.updateWallet(); + let getIntervalTime = () => this.ws.isConnected() ? maxUpdate : minUpdate; + this.__walletUpdateInterval = new ChangeableInterval(updateCall, getIntervalTime()); + this.__walletUpdateInterval.execute(); + this.ws.on(ESocketEvent.DeAuth, () => { + this.__walletUpdateInterval.change(minUpdate); + }); + this.ws.on(ESocketEvent.Auth, () => { + this.__walletUpdateInterval.change(maxUpdate); + }); +}; +/** + * @memberof MarketManager + */ +MarketManager.prototype.updateWallet = async function () { + try { + const data = await this.layer.getBalance(); + const walletCents = Math.trunc(data.money * 100); + this._currency = data.currency; + this._setNewBalance(walletCents); + } + catch (e) { + this._log.error("Error occurred on getBalance:", e); + } +}; +/** + * @memberof MarketManager + */ +MarketManager.prototype._changeBalance = function (delta, explicit = false) { + if (explicit || !this.ws.isConnected()) { + this._wallet += delta; + this.emit(EManagerEvent.BalanceUpdate, this._wallet, delta); + } +}; +/** + * @memberof MarketManager + */ +MarketManager.prototype._setNewBalance = function (balance) { + if (this._wallet === balance) { + return; + } + let delta = null; + if (this._wallet !== null) { + delta = this._wallet - balance; + } + this._wallet = balance; + this.emit(EManagerEvent.BalanceUpdate, this._wallet, delta); +}; diff --git a/dist/lib/MarketKnapsack.js b/dist/lib/MarketKnapsack.js new file mode 100644 index 0000000..cf973fc --- /dev/null +++ b/dist/lib/MarketKnapsack.js @@ -0,0 +1,206 @@ +"use strict"; +const ITEM_RECHECK_INTERVAL = 10 * 1000; +const EventEmitter = require("events").EventEmitter; +const EMarketItemStatus = require("../market/enums/system/EMarketItemStatus"); +const EKnapsackItemStatus = require("./enums/EKnapsackItemStatus"); +const ESocketEvent = require("../market/enums/ESocketEvent"); +const EKnapsackEvent = require("./enums/EKnapsackEvent"); +const CKnapsackItem = require("./classes/CKnapsackItem"); +const CKnapsackTrade = require("./classes/CKnapsackTrade"); +const ChangeableInterval = require("../../modules/ChangeableInterval"); +module.exports = MarketKnapsack; +require("util").inherits(MarketKnapsack, EventEmitter); +/** + * Manages: items list, their precise state/events, trades info/creation + * + * @param {CKnapsackConfig} config + * @param {MarketLayer} layer + * @param {MarketSockets} sockets + * @param {console} [_logger] + * @constructor + * @extends {EventEmitter} + */ +function MarketKnapsack(config, layer, sockets, _logger = console) { + this._config = config; + /** @interface {console} */ + this._log = _logger; + this.started = false; + this._market = layer; + this._sockets = sockets; + /** + * Indexed by item.ui_id + * @type {Object.} + */ + this.items = {}; + /** + * Indexed by Market bot id. We need it to avoid multiple requests of the same bot + * @type {Object.} + */ + this.trades = {}; +} +MarketKnapsack.prototype.start = function () { + if (this.started) { + return; + } + this.started = true; + this._log.trace("Starting knapsack"); + this._setCheckInterval(); + this._setWsEvents(); +}; +MarketKnapsack.prototype._setCheckInterval = function () { + this._checker = new ChangeableInterval(() => this.check(), this._config.updateInterval); +}; +MarketKnapsack.prototype._setWsEvents = function () { + this._sockets.on(ESocketEvent.Auth, () => { + this._checker.change(this._config.validationInterval); + }); + this._sockets.on(ESocketEvent.DeAuth, () => { + this._checker.change(this._config.updateInterval); + }); + this._sockets.on(ESocketEvent.ItemAdd, (data) => { + //console.log("itemAdd", data); + let item = new CKnapsackItem(data); + this._add(item, data); + }); + this._sockets.on(ESocketEvent.ItemTake, (data) => { + //console.log("itemTake", data); + let item = this.items[data.ui_id]; + this._update(item, data); + }); + this._sockets.on(ESocketEvent.ItemRemove, (data) => { + //console.log("itemRemove", data); + let item = this.items[data.ui_id]; + this._remove(item); + }); +}; +MarketKnapsack.prototype.itemsCount = function () { + let data = { + pending: 0, + sent: 0, // We are ready to take them or they are already sent + }; + for (let id in this.items) { + let item = this.items[id]; + switch (item.status) { + case EKnapsackItemStatus.Pending: + data.pending++; + break; + case EKnapsackItemStatus.Sent: + data.sent++; + break; + } + } + return data; +}; +/** + * @param {CKnapsackItem} item + * @param {Object} data + * @private + */ +MarketKnapsack.prototype._add = function (item, data) { + if (this.items[item.uiId]) { + this._update(item, data); + return; + } + this.items[item.uiId] = item; + this.emit(EKnapsackEvent.ItemAdd, item); + this.emit(EKnapsackEvent.Update); +}; +/** + * @param {CKnapsackItem} item + * @param {Object} data + * @private + */ +MarketKnapsack.prototype._update = function (item, data) { + if (!item) { + return; // Invalid action + } + if (item.status === data.status) { + // todo + } + // todo + this.emit(EKnapsackEvent.ItemUpdate, item); + this.emit(EKnapsackEvent.Update); +}; +/** + * @param {CKnapsackItem} item + * @private + */ +MarketKnapsack.prototype._remove = function (item) { + if (!item) { + return; // Invalid action + } + // todo + this.emit(EKnapsackEvent.ItemAccepted, item); + this.emit(EKnapsackEvent.Update); +}; +MarketKnapsack.prototype.check = function () { + // todo +}; +// +// +// Deprecated +// +// +MarketKnapsack.prototype.add = function (item) { + self.processItem(item); +}; +MarketKnapsack.prototype.update = function (item) { + self.processItem(item); +}; +MarketKnapsack.prototype.processItem = function (item) { + let updated = false; + if (!self.items[item.ui_id]) { + self.items[item.ui_id] = item; + updated = self._changeCounters(item, 1); + } + else { + let cItem = self.items[item.ui_id]; + if (cItem.ui_status !== item.ui_status) { + self._changeCounters(cItem, -1); + cItem.ui_status = item.ui_status; + updated = self._changeCounters(cItem, 1); + } + } + if (updated) { + self.emit("updated"); + } +}; +MarketKnapsack.prototype.remove = function (item) { + let updated = false; + if (self.items[item.ui_id]) { + updated = self._changeCounters(self.items[item.ui_id], -1); + delete self.items[item.ui_id]; + } + if (updated) { + self.emit("updated"); + } +}; +// get real tm list and compare it with ours. In ideal world there should not be any changes +MarketKnapsack.prototype.__check = function () { + return new Promise((res, rej) => { + _market.getTrades().then((trades) => { + let cPending = 0, cToTake = 0; + let cItems = {}; + trades.forEach((item) => { + if (item.ui_status === EMarketItemStatus.Pending) { + cPending++; + } + else if (item.ui_status === EMarketItemStatus.NeedToTake) { + cToTake++; + } + cItems[item.ui_id] = item; + }); + let updated = self.pendingItemsCount !== cPending || self.takeItemsCount !== cToTake; + self.pendingItemsCount = cPending; + self.takeItemsCount = cToTake; + self.items = cItems; + self._lastCheck = Date.now(); + if (updated) { + self.emit("updated"); + } + res(); + }).catch((err) => { + this._log.error(err); + }); + }); +}; diff --git a/dist/lib/MarketManager.js b/dist/lib/MarketManager.js new file mode 100644 index 0000000..0f57ca1 --- /dev/null +++ b/dist/lib/MarketManager.js @@ -0,0 +1,175 @@ +"use strict"; +const UNSAFE_HTTP_CODES = [500, 520, 527]; +const path = require("path"); +const EventEmitter = require("events").EventEmitter; +const MarketLayer = require("../market/MarketLayer"); +const MarketSockets = require("../market/MarketSockets"); +const MarketKnapsack = require("./MarketKnapsack"); +const MiddlewareError = require("../market/classes/MiddlewareError"); +const BadOffersCache = require("./BadOffersCache"); +const EManagerEvent = require("./enums/EManagerEvent"); +const EKnapsackEvent = require("./enums/EKnapsackEvent"); +const ESocketEvent = require("../market/enums/ESocketEvent"); +const EErrorSource = require("../market/enums/EErrorSource"); +const EErrorType = require("../market/enums/EErrorType"); +const EMarketEventStage = require("../market/enums/system/EMarketEventStage"); +module.exports = MarketManager; +require("util").inherits(MarketManager, EventEmitter); +/** + * Manages: initialization, high lever interface, balance, [market status,] + * + * @param {CManagerConfig} config + * @param {Console} [_logger] + * @constructor + * @extends {EventEmitter} + */ +function MarketManager(config, _logger = console) { + this._config = config; + /** @type {Console} */ + this._log = _logger; + this.started = false; + if (this._config.dataDir) { + let errorLog = this.__getDataPath("tm_errors"); + config.market.setErrorPath(errorLog); + } + this.layer = new MarketLayer(config.market, _logger); + this.ws = new MarketSockets(config.sockets, this.layer, _logger); + this.knapsack = new MarketKnapsack(config.knapsack, this.layer, this.ws, _logger); + if (this._config.logApiCalls) { + this._enableApiLog(); + } + this._badOffers = new BadOffersCache(config.badOffers); + this._currency = null; + this._wallet = null; +} +MarketManager.prototype.start = async function () { + if (this.started) { + return; + } + this.started = true; + this._log.trace("Starting manager"); + this._setWsEvents(); + this.layer.start(); + await this.ws.start(); + await this.updateWallet(); + this.knapsack.start(); + this._badOffers.start(); + this._knapsackBadOffersSubscribe(); + this._startBalanceUpdater(); +}; +MarketManager.prototype.buy = function (hashName, goodPrice, partnerId, tradeToken) { + let tradeData; + if (typeof partnerId === "object" && !tradeToken) { + tradeData = partnerId; + } + else { + tradeData = this.layer.tradeData(partnerId, tradeToken); + } + return this.layer.getItemOffers(hashName, goodPrice).then((offers) => { + if (this._config.avoidBadBots) { + return this._buyAndAvoid(offers, tradeData); + } + return this.layer.buyCheapest(offers, tradeData); + }).then((item) => { + this._changeBalance(-item.price); + return item; + }).catch((err) => { + // todo: Если получили в ответ http ошибку, то проверять по истории операций, что предмет не был куплен + if (this._config.safeBuyRequests && err.statusCode && UNSAFE_HTTP_CODES.includes(err.statusCode)) { + return this.layer.getBoughtItems(new Date(), 20 * 1000).then((items) => { + // todo + console.log("TODO: add safeBuyRequests code", err.statusCode, items, err.instance); + let boughtItem = items.filter((item) => { + return 0; + }); + }).catch((err2) => { + throw err; + }); + } + if (err instanceof MiddlewareError && err.type === EErrorType.NeedMoney) { + this.emit(EManagerEvent.NeedMoney, err.needMoney); + } + throw err; + }); +}; +MarketManager.prototype.massItemStatus = async function (items, margin = 15 * 60 * 1000) { + let statuses = {}; + while (Object.keys(items).length) { + let itemId = Object.keys(items).pop(); + let itemDate = items[itemId]; + let foundItems; + try { + let boughtItems = await this.layer.getBoughtItems(itemDate, margin); + foundItems = boughtItems.filter((ev) => Object.keys(items).includes(String(ev.item))); + } + catch (err) { + if (err instanceof MiddlewareError && err.type === EErrorType.NotFound) { + foundItems = []; + } + else { + throw err; + } + } + foundItems.forEach((ev) => { + let marketId = String(ev.item); + let stage = Number(ev.stage); + if (EMarketEventStage.has(stage)) { + statuses[marketId] = stage; + } + else { + this._log.error("Unknown market item#" + marketId + " operation stage", stage); + } + delete items[marketId]; + }); + // Support for wrong items + if (items[itemId]) { + statuses[itemId] = null; + delete items[itemId]; + } + } + return statuses; +}; +MarketManager.prototype._buyAndAvoid = async function (offers, tradeData) { + let goodOffers = offers.filter((el) => !this._badOffers.isBad(el)); + let otherOffers = offers.filter((el) => this._badOffers.isBad(el)); + try { + let bought = await this.layer.buyCheapest(goodOffers, tradeData); + this._badOffers.storeBoughtOffer(bought); + return bought; + } + catch (e) { + if (otherOffers.length && e instanceof MiddlewareError && e.source !== EErrorSource.User) { + return await this.layer.buyCheapest(otherOffers, tradeData); + } + throw e; + } +}; +MarketManager.prototype._setWsEvents = function () { + this.ws.on(ESocketEvent.Connected, () => { + this._log.log("Connected to market websockets"); + }); + this.ws.on(ESocketEvent.Auth, () => { + this._log.log("Authorized in market websockets"); + this.layer.pingEnabled = false; + }); + this.ws.on(ESocketEvent.DeAuth, () => { + this._log.log("Deauthorized from market websockets"); + this.layer.pingEnabled = true; + }); + this.ws.on(ESocketEvent.Stuck, () => { + this._log.log("Market websockets stuck. Reconnecting.."); + this.ws.reconnect(); + }); +}; +MarketManager.prototype._knapsackBadOffersSubscribe = function () { + this.knapsack.on(EKnapsackEvent.ItemExpired, (item) => { + if (this._config.avoidBadBots) { + this._badOffers.markAsBad(item); + } + }); +}; +MarketManager.prototype.__getDataPath = function (subPath) { + return path.resolve(this._config.dataDir, subPath); +}; +require("./ManagerBalanceUpdater"); +require("./ManagerApiLogger"); diff --git a/dist/lib/cache/BadOffersCache.js b/dist/lib/cache/BadOffersCache.js new file mode 100644 index 0000000..a908240 --- /dev/null +++ b/dist/lib/cache/BadOffersCache.js @@ -0,0 +1,83 @@ +// @ts-ignore +const NodeCache = require("node-cache"); +module.exports = class BadOffersCache { + constructor(initOptions) { + this.cache = {}; + this.state = { + penaltyTime: 0, + TTL: 100, + started: false, + countersAreShared: false, + updateInterval: 100 + }; + this.globalCommonCounter = {}; + this.globalPreciseCounter = {}; + this.cache = new NodeCache({ + stdTTL: initOptions.TTL, + }); + this.state = { + ...this.state, + ...initOptions + }; + this.initIntervals(); + } + initIntervals() { + setInterval(() => { + this.decreaseCounter(this.globalCommonCounter); + this.decreaseCounter(this.globalPreciseCounter); + }, this.state.updateInterval); + } + getCommonHashId(item) { + return item.instanceId + "_" + item.classId; + } + ; + getPreciseHashId(item) { + return this.getCommonHashId(item) + "_" + item.price; + } + ; + findItemById(id) { + return this.cache.get(id.toString()); + } + ; + markAsBad(item) { + let commonHash = this.getCommonHashId(item); + this.updateCounter(this.commonCounters, commonHash); + if (item.price === undefined) { + let preciseHash = this.getPreciseHashId(item); + this.updateCounter(this.preciseCounters, preciseHash); + } + } + ; + decreaseCounter(counter) { + Object.keys(counter).map(hashId => { + let timePassed = Date.now() - counter[hashId].lastUpdate; + let penaltyTimedOut = timePassed > this.state.penaltyTime; + if (penaltyTimedOut) { + counter[hashId].lastUpdate = Date.now(); + counter[hashId].fails -= 1; + if (counter[hashId].fails <= 0) { + delete counter[hashId]; + } + } + }); + } + updateCounter(counter, hashId) { + const CURRENT_COUNTER = counter[hashId] || { + lastUpdate: Date.now(), + fails: 0 + }; + counter[hashId] = { + ...CURRENT_COUNTER, + lastUpdate: Date.now(), + fails: CURRENT_COUNTER + 1 + }; + } + storeBoughtOffer(boughtItem) { + this.cache.set(boughtItem.uiId.toString(), { + instanceId: boughtItem.instanceId, + classId: boughtItem.classId, + price: boughtItem.offerPrice, + }); + } + ; +}; diff --git a/dist/lib/cache/index.js b/dist/lib/cache/index.js new file mode 100644 index 0000000..1586807 --- /dev/null +++ b/dist/lib/cache/index.js @@ -0,0 +1,82 @@ +// @ts-ignore +const NodeCache = require("node-cache"); +module.exports = class BadOffersCache { + constructor(initOptions) { + this.state = { + penaltyTime: 0, + TTL: 100, + started: false, + countersAreShared: false, + updateInterval: 100 + }; + this.globalCommonCounter = {}; + this.globalPreciseCounter = {}; + this.cache = new NodeCache({ + stdTTL: initOptions.TTL, + }); + this.state = { + ...this.state, + ...initOptions + }; + this.initIntervals(); + } + initIntervals() { + setInterval(() => { + this.decreaseCounter(this.globalCommonCounter); + this.decreaseCounter(this.globalPreciseCounter); + }, this.state.updateInterval); + } + getCommonHashId(item) { + return item.instanceId + "_" + item.classId; + } + ; + getPreciseHashId(item) { + return this.getCommonHashId(item) + "_" + item.price; + } + ; + findItemById(id) { + return this.cache.get(id.toString()); + } + ; + markAsBad(item) { + let commonHash = this.getCommonHashId(item); + this.updateCounter(this.globalCommonCounter, commonHash); + if (item.price === undefined) { + let preciseHash = this.getPreciseHashId(item); + this.updateCounter(this.globalPreciseCounter, preciseHash); + } + } + ; + decreaseCounter(counter) { + Object.keys(counter).map(hashId => { + let timePassed = Date.now() - counter[hashId].lastUpdate; + let penaltyTimedOut = timePassed > this.state.penaltyTime; + if (penaltyTimedOut) { + counter[hashId].lastUpdate = Date.now(); + counter[hashId].fails -= 1; + if (counter[hashId].fails <= 0) { + delete counter[hashId]; + } + } + }); + } + updateCounter(counter, hashId) { + const CURRENT_COUNTER = counter[hashId] || { + lastUpdate: Date.now(), + fails: 0 + }; + counter[hashId] = { + ...CURRENT_COUNTER, + lastUpdate: Date.now(), + fails: CURRENT_COUNTER + 1 + }; + } + storeBoughtOffer(boughtItem) { + this.cache.set(boughtItem.uiId.toString(), { + instanceId: boughtItem.instanceId, + classId: boughtItem.classId, + price: boughtItem.offerPrice, + }); + } + ; +}; diff --git a/dist/lib/classes/CKnapsackItem.js b/dist/lib/classes/CKnapsackItem.js new file mode 100644 index 0000000..fc54479 --- /dev/null +++ b/dist/lib/classes/CKnapsackItem.js @@ -0,0 +1,48 @@ +"use strict"; +const EMarketItemStatus = require("../../market/enums/system/EMarketItemStatus"); +const EKnapsackItemStatus = require("../enums/EKnapsackItemStatus"); +module.exports = CKnapsackItem; +/** + * @param {Object} opts + * @constructor + */ +function CKnapsackItem(opts) { + this.uiId = opts.ui_id; + this.bId = opts.ui_bid; + this.classId = opts.i_classid; + this.instanceId = opts.i_instanceid; + this.price = opts.ui_price; + this.setStatus(opts); + this.trade = null; + this.tradeUpdated = Date.now(); + this.expireDate = Date.now() + opts.left * 1000; +} +CKnapsackItem.prototype.setStatus = function (code) { + if (typeof code === "object") { + code = code.ui_status; + } + if (!isNaN(code)) { + switch (Number(code)) { + case EMarketItemStatus.Pending: + code = EKnapsackItemStatus.Pending; + break; + case EMarketItemStatus.NeedToTake: + code = EKnapsackItemStatus.Sent; + break; + case EMarketItemStatus.Delivered: + code = EKnapsackItemStatus.Accepted; + break; + } + } + this.status = code; +}; +/** + * @param {CKnapsackTrade} trade + */ +CKnapsackItem.prototype.setNewTrade = function (trade) { + this.trade = trade; + this.tradeUpdated = Date.now(); +}; +CKnapsackItem.prototype.getLeftTime = function () { + return Math.max(this.expireDate - Date.now(), -1); +}; diff --git a/dist/lib/classes/CKnapsackTrade.js b/dist/lib/classes/CKnapsackTrade.js new file mode 100644 index 0000000..55658d2 --- /dev/null +++ b/dist/lib/classes/CKnapsackTrade.js @@ -0,0 +1,24 @@ +"use strict"; +module.exports = CKnapsackTrade; +/** + * @param {Object} data + * @param {CKnapsackItem?} item + * @constructor + */ +function CKnapsackTrade(data, item = null) { + this.tradeId = data.trade_id; + this.bid = data.bot_id; + this.time = data.time; + this._secret = data.secret; + this.items = []; + if (item) { + this.addItem(item); + } +} +/** + * @param {CKnapsackItem?} item + */ +CKnapsackTrade.prototype.addItem = function (item) { + item.setNewTrade(this); + this.items.push(item); +}; diff --git a/dist/lib/config/CBadOffersConfig.js b/dist/lib/config/CBadOffersConfig.js new file mode 100644 index 0000000..23b0052 --- /dev/null +++ b/dist/lib/config/CBadOffersConfig.js @@ -0,0 +1,14 @@ +"use strict"; +module.exports = CBadOffersConfig; +/** + * @param {Object} opts + * @constructor + */ +function CBadOffersConfig(opts) { + this.boughtOffersCache = Number(opts.boughtOffersCache || 2 * 60 * 60); // We need it because knapsack is not working. Seconds + this.updateInterval = Number(opts.updateInterval || 20 * 1000); // Auto-decreasing checker interval + this.penaltyTime = Number(opts.penaltyTime || 60 * 60 * 1000); // In what period offer will loose one penalty point + this.minPreciseFails = Number(opts.minPreciseFails || 1); + this.minCommonFails = Number(opts.minCommonFails || 5); + this.shareCounters = typeof opts.shareCounters !== "undefined" ? Boolean(opts.shareCounters) : false; // for running bots cluster +} diff --git a/dist/lib/config/CKnapsackConfig.js b/dist/lib/config/CKnapsackConfig.js new file mode 100644 index 0000000..b3d23f2 --- /dev/null +++ b/dist/lib/config/CKnapsackConfig.js @@ -0,0 +1,10 @@ +"use strict"; +module.exports = CKnapsackConfig; +/** + * @param {Object} opts + * @constructor + */ +function CKnapsackConfig(opts) { + this.validationInterval = opts.validationInterval || 60 * 1000; + this.updateInterval = opts.updateInterval || 20 * 1000; +} diff --git a/dist/lib/config/CManagerConfig.js b/dist/lib/config/CManagerConfig.js new file mode 100644 index 0000000..0242506 --- /dev/null +++ b/dist/lib/config/CManagerConfig.js @@ -0,0 +1,60 @@ +"use strict"; +const path = require("path"); +const fs = require("fs"); +const Url = require("url"); +const HttpsProxyAgent = require("https-proxy-agent"); +const Tunnel = require("tunnel"); +const CKnapsackConfig = require("./CKnapsackConfig"); +const CMarketConfig = require("./CMarketConfig"); +const CSocketsConfig = require("./CSocketsConfig"); +const CBadOffersConfig = require("./CBadOffersConfig"); +module.exports = CManagerConfig; +/** + * @param {Object} opts + * @param {String?} [proxy] + * @constructor + */ +function CManagerConfig(opts, proxy = null) { + this.proxy = proxy; + let config = opts.manager || {}; + this.balanceValidationInterval = Number(config.balanceValidationInterval || 1.5 * 60 * 1000); + this.avoidBadBots = typeof config.avoidBadBots !== "undefined" ? Boolean(config.avoidBadBots) : false; + this.safeBuyRequests = typeof config.safeBuyRequests !== "undefined" ? Boolean(config.safeBuyRequests) : false; + this.logApiCalls = config.logApiCalls ? config.logApiCalls : false; + this.dataDir = null; + if (config.dataDir) { + if (!path.isAbsolute(config.dataDir)) { + throw new Error("Invalid config: dataDir should be absolute path"); + } + this.dataDir = config.dataDir; + if (!fs.existsSync(this.dataDir)) { + fs.mkdirSync(this.dataDir); + } + } + this.market = new CMarketConfig(opts.market || {}, this.getHttpsProxy()); + this.sockets = new CSocketsConfig(opts.sockets || {}, this.getWsProxy()); + this.knapsack = new CKnapsackConfig(opts.knapsack || {}); + this.badOffers = new CBadOffersConfig(opts.badOffers || {}); +} +CManagerConfig.prototype.getWsProxy = function (opts = {}) { + if (!this.proxy) { + return null; + } + return new HttpsProxyAgent(this._parseProxyUrl(this.proxy, opts)); +}; +CManagerConfig.prototype.getHttpsProxy = function (opts = {}) { + if (!this.proxy) { + return null; + } + let p = this._parseProxyUrl(this.proxy, opts); + return Tunnel.httpsOverHttp({ + proxy: { + host: p.hostname, + port: p.port, + proxyAuth: p.auth, + } + }); +}; +CManagerConfig.prototype._parseProxyUrl = function (url, opts) { + return Object.assign({}, Url.parse(url), opts); +}; diff --git a/dist/lib/config/CMarketConfig.js b/dist/lib/config/CMarketConfig.js new file mode 100644 index 0000000..f89dbf5 --- /dev/null +++ b/dist/lib/config/CMarketConfig.js @@ -0,0 +1,43 @@ +"use strict"; +const path = require("path"); +module.exports = CMarketConfig; +/** + * @param {Object} opts + * @property {String} opts.apiKey + * @property {Number} opts.pingInterval + * @property {Number} opts.discountUpdateInterval + * @property {Number} opts.allowedPriceFluctuation + * @property {Number} opts.compromiseFactor + * @property {Number} opts.minCompromise + * @property {Boolean} opts.handleTimezone + * @property {Boolean} opts.hackExpiredOffers + * @property {Boolean} opts.applyDiscounts + * @param {http.Agent?} proxy + * + * @constructor + */ +function CMarketConfig(opts, proxy = null) { + this.apiKey = opts.apiKey; + this.pingInterval = Number(opts.pingInterval || (3 * 60 * 1000 + 5 * 1000)); // We need to ping TM every 3 minutes; 5 seconds margin cause TM is silly + this.discountUpdateInterval = Number(opts.discountUpdateInterval || (60 * 60 * 1000)); + this.errorLogPath = null; + this.price = { + fluctuation: Number(opts.allowedPriceFluctuation || 0), + compromiseFactor: Number(opts.compromiseFactor || 0), + minCompromise: Number(opts.minCompromise || 0), + }; + this.handleTimezone = typeof opts.handleTimezone !== "undefined" ? Boolean(opts.handleTimezone) : false; + this.hackExpiredOffers = typeof opts.hackExpiredOffers !== "undefined" ? Boolean(opts.hackExpiredOffers) : false; + this.applyDiscounts = typeof opts.applyDiscounts !== "undefined" ? Boolean(opts.applyDiscounts) : false; + this.proxy = proxy; +} +CMarketConfig.prototype.setErrorPath = function (dirPath) { + this.errorLogPath = path.normalize(path.resolve(dirPath)); +}; +CMarketConfig.prototype.preparePrice = function (price) { + let allowedPrice = price * (1 + this.price.fluctuation); + let compromise = Math.max(price * this.price.compromiseFactor, this.price.minCompromise); + let priceCap = allowedPrice + compromise; + //console.log("allowedPrice", allowedPrice, "compromise", compromise, "max", priceCap); + return priceCap; +}; diff --git a/dist/lib/config/CSocketsConfig.js b/dist/lib/config/CSocketsConfig.js new file mode 100644 index 0000000..3c79906 --- /dev/null +++ b/dist/lib/config/CSocketsConfig.js @@ -0,0 +1,15 @@ +"use strict"; +const WS_URL = "wss://wsnn.dota2.net/wsn/"; +module.exports = CSocketsConfig; +/** + * @param {Object} opts + * @param {String} opts.basePath + * @param {Number} opts.pingInterval + * @param {HttpsProxyAgent?} proxy + * @constructor + */ +function CSocketsConfig(opts, proxy = null) { + this.basePath = opts.basePath || WS_URL; + this.pingInterval = Number(opts.pingInterval || 20 * 1000); // We need to ping TM every 3 minutes; 5 seconds margin cause TM is silly + this.proxy = proxy; +} diff --git a/dist/lib/enums/EKnapsackEvent.js b/dist/lib/enums/EKnapsackEvent.js new file mode 100644 index 0000000..456030f --- /dev/null +++ b/dist/lib/enums/EKnapsackEvent.js @@ -0,0 +1,16 @@ +"use strict"; +/** + * @readonly + * @enum {String} + */ +const EKnapsackEvent = { + Update: 'knapsack_upd', + ItemAdd: 'add', + ItemUpdate: 'update', + ItemExpired: 'expired', + ItemAccepted: 'accepted', + TradeSent: 'sent', + TradeCanceled: 'canceled', // Отправленный трейд был отменен +}; +Object.freeze(EKnapsackEvent); +module.exports = EKnapsackEvent; diff --git a/dist/lib/enums/EKnapsackItemStatus.js b/dist/lib/enums/EKnapsackItemStatus.js new file mode 100644 index 0000000..1976435 --- /dev/null +++ b/dist/lib/enums/EKnapsackItemStatus.js @@ -0,0 +1,13 @@ +"use strict"; +/** + * @readonly + * @enum {String} + */ +const EKnapsackItemStatus = { + Pending: 'pending', + Sent: 'sent', + Accepted: 'accepted', + Canceled: 'canceled', // трейд был отменен одной из сторон (предмет больше не будет отправлен) +}; +Object.freeze(EKnapsackItemStatus); +module.exports = EKnapsackItemStatus; diff --git a/dist/lib/enums/EManagerEvent.js b/dist/lib/enums/EManagerEvent.js new file mode 100644 index 0000000..94ee7b8 --- /dev/null +++ b/dist/lib/enums/EManagerEvent.js @@ -0,0 +1,11 @@ +"use strict"; +/** + * @readonly + * @enum {String} + */ +const EManagerEvent = { + BalanceUpdate: "balance", + NeedMoney: "needMoney", +}; +Object.freeze(EManagerEvent); +module.exports = EManagerEvent; diff --git a/lib/MarketKnapsack.js b/dist/lib/knapsack/index.js similarity index 74% rename from lib/MarketKnapsack.js rename to dist/lib/knapsack/index.js index f5ef3f1..32354b8 100644 --- a/lib/MarketKnapsack.js +++ b/dist/lib/knapsack/index.js @@ -1,22 +1,83 @@ +module.exports = class MarketKnapsack { + constructor() { + } + itemsCount() { + const ITEMS_VALUES = Object.values(this.items); + return { + /** + * We bought them, but still can't take + */ + pending: ITEMS_VALUES.filter(value => value === EMarketItemStatus.pending).length, + /** + * We are ready to take them or they are already sent + */ + sent: ITEMS_VALUES.filter(value => value === EMarketItemStatus.sent).length + }; + } + ; + add(item, data) { + if (this.items[item.uiId]) { + this._update(item, data); + return; + } + this.items[item.uiId] = item; + // this.emit(EKnapsackEvent.ItemAdd, item); + // this.emit(EKnapsackEvent.Update); + } + ; + update(item, data) { + if (!item) { + return; // Invalid action + } + if (item.status === data.status) { + // todo + } + // todo + this.emit(EKnapsackEvent.ItemUpdate, item); + this.emit(EKnapsackEvent.Update); + } + ; + remove(item) { + if (!item) { + return; // Invalid action + } + // todo + this.emit(EKnapsackEvent.ItemAccepted, item); + this.emit(EKnapsackEvent.Update); + } + ; + processItem(item) { + let updated = false; + if (!self.items[item.ui_id]) { + self.items[item.ui_id] = item; + updated = self._changeCounters(item, 1); + } + else { + let cItem = self.items[item.ui_id]; + if (cItem.ui_status !== item.ui_status) { + self._changeCounters(cItem, -1); + cItem.ui_status = item.ui_status; + updated = self._changeCounters(cItem, 1); + } + } + if (updated) { + self.emit("updated"); + } + } + ; +}; "use strict"; - const ITEM_RECHECK_INTERVAL = 10 * 1000; - const EventEmitter = require("events").EventEmitter; - const EMarketItemStatus = require("../market/enums/system/EMarketItemStatus"); const EKnapsackItemStatus = require("./enums/EKnapsackItemStatus"); const ESocketEvent = require("../market/enums/ESocketEvent"); const EKnapsackEvent = require("./enums/EKnapsackEvent"); - const CKnapsackItem = require("./classes/CKnapsackItem"); const CKnapsackTrade = require("./classes/CKnapsackTrade"); - -const ChangeableInterval = require("../modules/ChangeableInterval"); - +const ChangeableInterval = require("../../modules/ChangeableInterval"); module.exports = MarketKnapsack; require("util").inherits(MarketKnapsack, EventEmitter); - /** * Manages: items list, their precise state/events, trades info/creation * @@ -29,15 +90,11 @@ require("util").inherits(MarketKnapsack, EventEmitter); */ function MarketKnapsack(config, layer, sockets, _logger = console) { this._config = config; - /** @interface {console} */ this._log = _logger; - this.started = false; - this._market = layer; this._sockets = sockets; - /** * Indexed by item.ui_id * @type {Object.} @@ -49,61 +106,49 @@ function MarketKnapsack(config, layer, sockets, _logger = console) { */ this.trades = {}; } - -MarketKnapsack.prototype.start = function() { - if(this.started) { +MarketKnapsack.prototype.start = function () { + if (this.started) { return; } this.started = true; - this._log.trace("Starting knapsack"); - this._setCheckInterval(); this._setWsEvents(); }; - -MarketKnapsack.prototype._setCheckInterval = function() { +MarketKnapsack.prototype._setCheckInterval = function () { this._checker = new ChangeableInterval(() => this.check(), this._config.updateInterval); }; - -MarketKnapsack.prototype._setWsEvents = function() { +MarketKnapsack.prototype._setWsEvents = function () { this._sockets.on(ESocketEvent.Auth, () => { this._checker.change(this._config.validationInterval); }); this._sockets.on(ESocketEvent.DeAuth, () => { this._checker.change(this._config.updateInterval); }); - this._sockets.on(ESocketEvent.ItemAdd, (data) => { //console.log("itemAdd", data); let item = new CKnapsackItem(data); - this._add(item, data); }); this._sockets.on(ESocketEvent.ItemTake, (data) => { //console.log("itemTake", data); let item = this.items[data.ui_id]; - this._update(item, data); }); this._sockets.on(ESocketEvent.ItemRemove, (data) => { //console.log("itemRemove", data); let item = this.items[data.ui_id]; - this._remove(item); }); }; - -MarketKnapsack.prototype.itemsCount = function() { +MarketKnapsack.prototype.itemsCount = function () { let data = { - pending: 0, // We bought them, but still can't take + pending: 0, sent: 0, // We are ready to take them or they are already sent }; - - for(let id in this.items) { + for (let id in this.items) { let item = this.items[id]; - - switch(item.status) { + switch (item.status) { case EKnapsackItemStatus.Pending: data.pending++; break; @@ -112,23 +157,19 @@ MarketKnapsack.prototype.itemsCount = function() { break; } } - return data; }; - /** * @param {CKnapsackItem} item * @param {Object} data * @private */ -MarketKnapsack.prototype._add = function(item, data) { - if(this.items[item.uiId]) { +MarketKnapsack.prototype._add = function (item, data) { + if (this.items[item.uiId]) { this._update(item, data); return; } - this.items[item.uiId] = item; - this.emit(EKnapsackEvent.ItemAdd, item); this.emit(EKnapsackEvent.Update); }; @@ -137,16 +178,14 @@ MarketKnapsack.prototype._add = function(item, data) { * @param {Object} data * @private */ -MarketKnapsack.prototype._update = function(item, data) { - if(!item) { +MarketKnapsack.prototype._update = function (item, data) { + if (!item) { return; // Invalid action } - if(item.status === data.status) { + if (item.status === data.status) { // todo } - // todo - this.emit(EKnapsackEvent.ItemUpdate, item); this.emit(EKnapsackEvent.Update); }; @@ -154,111 +193,86 @@ MarketKnapsack.prototype._update = function(item, data) { * @param {CKnapsackItem} item * @private */ -MarketKnapsack.prototype._remove = function(item) { - if(!item) { +MarketKnapsack.prototype._remove = function (item) { + if (!item) { return; // Invalid action } - // todo - this.emit(EKnapsackEvent.ItemAccepted, item); this.emit(EKnapsackEvent.Update); }; - -MarketKnapsack.prototype.check = function() { +MarketKnapsack.prototype.check = function () { // todo }; - // // // Deprecated // // - -MarketKnapsack.prototype.add = function(item) { +MarketKnapsack.prototype.add = function (item) { self.processItem(item); }; - -MarketKnapsack.prototype.update = function(item) { +MarketKnapsack.prototype.update = function (item) { self.processItem(item); }; - -MarketKnapsack.prototype.processItem = function(item) { +MarketKnapsack.prototype.processItem = function (item) { let updated = false; - - if(!self.items[item.ui_id]) { + if (!self.items[item.ui_id]) { self.items[item.ui_id] = item; - updated = self._changeCounters(item, 1); - } else { + } + else { let cItem = self.items[item.ui_id]; - - if(cItem.ui_status !== item.ui_status) { + if (cItem.ui_status !== item.ui_status) { self._changeCounters(cItem, -1); - cItem.ui_status = item.ui_status; - updated = self._changeCounters(cItem, 1); } } - - if(updated) { + if (updated) { self.emit("updated"); } }; - -MarketKnapsack.prototype.remove = function(item) { +MarketKnapsack.prototype.remove = function (item) { let updated = false; - - if(self.items[item.ui_id]) { + if (self.items[item.ui_id]) { updated = self._changeCounters(self.items[item.ui_id], -1); - delete self.items[item.ui_id]; } - - if(updated) { + if (updated) { self.emit("updated"); } }; - // get real tm list and compare it with ours. In ideal world there should not be any changes -MarketKnapsack.prototype.__check = function() { +MarketKnapsack.prototype.__check = function () { return new Promise((res, rej) => { _market.getTrades().then((trades) => { let cPending = 0, cToTake = 0; let cItems = {}; - trades.forEach((item) => { - if(item.ui_status === EMarketItemStatus.Pending) { + if (item.ui_status === EMarketItemStatus.Pending) { cPending++; - } else if(item.ui_status === EMarketItemStatus.NeedToTake) { + } + else if (item.ui_status === EMarketItemStatus.NeedToTake) { cToTake++; } - cItems[item.ui_id] = item; }); - let updated = self.pendingItemsCount !== cPending || self.takeItemsCount !== cToTake; - self.pendingItemsCount = cPending; self.takeItemsCount = cToTake; self.items = cItems; - self._lastCheck = Date.now(); - - if(updated) { + if (updated) { self.emit("updated"); } - res(); }).catch((err) => { this._log.error(err); }); }); }; - /** Below is legacy */ - /** * @param {TradeOffer} trade */ @@ -288,7 +302,6 @@ MarketKnapsack.prototype.__check = function() { // // this.trades[tradeData.bid].addItem(item); // }; - /** * Returns bot data with max count of items to take and that don't already have take request * @return {Promise<*>} @@ -329,7 +342,6 @@ MarketKnapsack.prototype.__check = function() { // return bestVariant; // }); // }; - // MarketKnapsack.prototype._takeNextItems = function() { // let sleepTime = 5 * 1000; // diff --git a/dist/lib/ws/enums/incoming_messages.js b/dist/lib/ws/enums/incoming_messages.js new file mode 100644 index 0000000..663f442 --- /dev/null +++ b/dist/lib/ws/enums/incoming_messages.js @@ -0,0 +1,14 @@ +module.exports = function (message) { + return Object.freeze({ + auth: { + callback: this.#_auth, + }, + }); +}; +module.exports = function (message) { + return Object.freeze({ + auth: { + callback: this.#_auth, + }, + }); +}; diff --git a/dist/lib/ws/enums/outgoing_messages.js b/dist/lib/ws/enums/outgoing_messages.js new file mode 100644 index 0000000..004a481 --- /dev/null +++ b/dist/lib/ws/enums/outgoing_messages.js @@ -0,0 +1,4 @@ +module.exports = Object.freeze({ + ping: "ping", + auth: "auth", +}); diff --git a/dist/lib/ws/enums/validation_schemas/incoming_message_validation_schema.js b/dist/lib/ws/enums/validation_schemas/incoming_message_validation_schema.js new file mode 100644 index 0000000..f6bd0f5 --- /dev/null +++ b/dist/lib/ws/enums/validation_schemas/incoming_message_validation_schema.js @@ -0,0 +1,2 @@ +const JOI = require("joi"); +module.exports = Object.freeze(JOI.any()); diff --git a/dist/lib/ws/helpers/build_URL.js b/dist/lib/ws/helpers/build_URL.js new file mode 100644 index 0000000..8424f8b --- /dev/null +++ b/dist/lib/ws/helpers/build_URL.js @@ -0,0 +1 @@ +module.exports = () => { }; diff --git a/dist/lib/ws/helpers/parse_message.js b/dist/lib/ws/helpers/parse_message.js new file mode 100644 index 0000000..6202960 --- /dev/null +++ b/dist/lib/ws/helpers/parse_message.js @@ -0,0 +1,8 @@ +module.exports = function (message) { + try { + return JSON.parse(message); + } + catch (error) { + this.processParsingError(error); + } +}; diff --git a/dist/lib/ws/helpers/process_message.js b/dist/lib/ws/helpers/process_message.js new file mode 100644 index 0000000..8d5faf9 --- /dev/null +++ b/dist/lib/ws/helpers/process_message.js @@ -0,0 +1,7 @@ +module.exports = () => { }; +const RESPONSE_ENUMS = require("market-csgo-manager-master/ws/enums/incoming_messages"); +module.exports = function (message) { + const SERVICE_MESSAGES = { + 'auth': this.marketAPIProvider + }; +}; diff --git a/dist/lib/ws/helpers/validate_incoming_message.js b/dist/lib/ws/helpers/validate_incoming_message.js new file mode 100644 index 0000000..fa180c0 --- /dev/null +++ b/dist/lib/ws/helpers/validate_incoming_message.js @@ -0,0 +1 @@ +module.exports = (message, SCHEMA) => VALIDATE_WITH_JOI(message, SCHEMA); diff --git a/dist/lib/ws/index.js b/dist/lib/ws/index.js new file mode 100644 index 0000000..4a2974c --- /dev/null +++ b/dist/lib/ws/index.js @@ -0,0 +1,118 @@ +const WS = require("ws"); +const ReconnectingWebSocket = require("reconnecting-websocket"); +// @ts-ignore +const EventEmitter = require("events"); +// @ts-ignore +const CONFIG = require("config").get('ws'); +const WS_PARAMS = CONFIG.get("wsParams"); +const { WS_ERROR_EMITTER } = require("@emitters"); +const ENUM_MESSAGES = require("market-csgo-manager-master/ws"); +const WS = require("ws"); +const CONFIG = require("config"); +const WS_PARAMS = CONFIG.get("wsParams"); +const { WS_ERROR_EMITTER } = require("@emitters"); +const ENUM_MESSAGES = require("market-csgo-manager-master/ws/enums/outgoing_messages"); +const processMessage = require("./methods/process_message"); +const subscribeToChannels = require("./methods/subscribe_to_channels"); +const initAuth = require("src/lib/ws/init/auth"); +const initPing = require("src/lib/ws/init/ping"); +const initCheckIfStuck = require('./init/check_if_stuck'); +module.exports = class MarketWS extends EventEmitter { + constructor(initProps) { + super(); + this.version = initProps.version; + this.channels = initProps.channels; + this.marketAPIProvider = initProps.marketAPIProvider; + this.stuckCheckTime = Date.now(); + this.isStuck = false; + this.setWSClient(); + this.initAuth = initAuth.bind(this); + this.initPing = initPing.bind(this); + this.subscribeToChannels = subscribeToChannels.bind(this); + this.initCheckIfStuck = initCheckIfStuck.bind(this); + this.processMessage = processMessage.bind(this); + } + setWSClient() { + this.WSClient = new ReconnectingWebSocket(CONFIG.URL, { + WebSocket: WS, + connectionTimeout: CONFIG.connection_timeout, + reconnectionDelayGrowFactor: CONFIG.reconnection_delay_grow_factor, + maxRetries: CONFIG.max_retries, + }); + return this.setEventsCallbacks(); + } + setEventsCallbacks() { + /** + * ======================================================================== + * WS events processing + * ======================================================================== + */ + /** + * Catch errors + */ + this.WSClient.on("error", (error) => { + this.emit('error', error); + }); + /** + * Auth to get new key and send it to WS server + */ + this.WSClient.on("open", () => this.auth() + .then(() => { + /** + * ======================================================================== + * Init intervals & tasks + * ======================================================================== + */ + initAuth(); + initPing(); + initCheckIfStuck(); + subscribeToChannels.call(this, this.WSClient, this.channels); + this.emit('open'); + })); + this.WSClient.on("message", (message) => { + this.initCheckIfStuck(); + this.processMessage(message); + }); + this.WSClient.on("close", () => { + this.reconnect(); + }); + } + /** + * ======================================================================== + * WS methods without arguments + * ======================================================================== + */ + /** + * Ping WS server to keep connection alive + */ + async ping() { + this.WSClient.send(ENUM_MESSAGES.ping); + } + ; + /** + * Auth to get new key and send it to WS server + */ + async auth() { + this + .marketAPIProvider[this.version] + .getWSAuth() + .then(this.WSClient.send); + } + ; + reconnect() { + return this.setWSClient(); + } + get isConnected() { + return this.WSClient.readyState == 1; + } + processStuckStatus(isStuck = false) { + this.isStuck = isStuck; + if (isStuck) { + this.emit('stuck'); + this.reconnect(); + } + } + processParsingError(error) { + this.emit('parsingError', error); + } +}; diff --git a/dist/lib/ws/init/auth.js b/dist/lib/ws/init/auth.js new file mode 100644 index 0000000..e42cfc7 --- /dev/null +++ b/dist/lib/ws/init/auth.js @@ -0,0 +1,3 @@ +module.exports = connection => { + setInterval(connection.auth, 60000); +}; diff --git a/dist/lib/ws/init/check_if_stuck.js b/dist/lib/ws/init/check_if_stuck.js new file mode 100644 index 0000000..7f49e88 --- /dev/null +++ b/dist/lib/ws/init/check_if_stuck.js @@ -0,0 +1,15 @@ +// @ts-ignore +const CONFIG = require('config').get('ws'); +module.exports = function () { + clearInterval(this.stuckDetectionInterval); + // @ts-ignore + const stuckDetectTime = CONFIG.stuck_detect_time; + this.stuckDetectionInterval = setInterval(() => { + if (this.stuckCheckTime + stuckDetectTime - Date.now() < 0) { + this.processStuckStatus(true); + } + else { + this.stuckCheckTime = Date.now(); + } + }, stuckDetectTime); +}; diff --git a/dist/lib/ws/init/ping.js b/dist/lib/ws/init/ping.js new file mode 100644 index 0000000..e4a8f08 --- /dev/null +++ b/dist/lib/ws/init/ping.js @@ -0,0 +1,3 @@ +module.exports = connection => { + setInterval(connection.ping, 60000); +}; diff --git a/dist/lib/ws/methods/process_message.js b/dist/lib/ws/methods/process_message.js new file mode 100644 index 0000000..5a29d7e --- /dev/null +++ b/dist/lib/ws/methods/process_message.js @@ -0,0 +1,5 @@ +module.exports = function (message) { + const SERVICE_MESSAGES = { + 'auth': this.marketAPIProvider + }; +}; diff --git a/dist/lib/ws/methods/send_message.js b/dist/lib/ws/methods/send_message.js new file mode 100644 index 0000000..6f0b9f9 --- /dev/null +++ b/dist/lib/ws/methods/send_message.js @@ -0,0 +1,6 @@ +module.exports = function (WebSocket, message) { + WebSocket.send(message); +}; +module.exports = function (WebSocket, message) { + WebSocket.send(message); +}; diff --git a/dist/lib/ws/methods/subscribe_to_channels.js b/dist/lib/ws/methods/subscribe_to_channels.js new file mode 100644 index 0000000..b109195 --- /dev/null +++ b/dist/lib/ws/methods/subscribe_to_channels.js @@ -0,0 +1,5 @@ +module.exports = function subscribeToChannels(channels) { + const { length } = channels; + this.WSClient.send(channels[0]); + return length ? subscribeToChannels(channels.slice(1)) : true; +}; diff --git a/dist/lib/ws/methods/sunscribe_to_channels.js b/dist/lib/ws/methods/sunscribe_to_channels.js new file mode 100644 index 0000000..d81e220 --- /dev/null +++ b/dist/lib/ws/methods/sunscribe_to_channels.js @@ -0,0 +1,9 @@ +module.exports = function subscribeToChannel([currentChannel, ...otherChanmodule, exports = function subscribeToChannel([currentChannel, ...otherChannels]) { + return new Promise((resolve) => setTimeout(() => { + this.send(currentChannel); + otherChannels.length == 0 + ? resolve() + : subscribeToChannel.call(this, otherChannels); + })); +}]) { +}; diff --git a/dist/lib/ws/methods/updateStuckInterval.js b/dist/lib/ws/methods/updateStuckInterval.js new file mode 100644 index 0000000..729f433 --- /dev/null +++ b/dist/lib/ws/methods/updateStuckInterval.js @@ -0,0 +1,2 @@ +module.exports = function () { +}; diff --git a/dist/lib/ws/v/v1/enums/index.js b/dist/lib/ws/v/v1/enums/index.js new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/dist/lib/ws/v/v1/enums/index.js @@ -0,0 +1 @@ +module.exports = {}; diff --git a/dist/lib/ws/v/v1/helpers/index.js b/dist/lib/ws/v/v1/helpers/index.js new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/dist/lib/ws/v/v1/helpers/index.js @@ -0,0 +1 @@ +module.exports = {}; diff --git a/dist/lib/ws/v/v2/enums/index.js b/dist/lib/ws/v/v2/enums/index.js new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/dist/lib/ws/v/v2/enums/index.js @@ -0,0 +1 @@ +module.exports = {}; diff --git a/dist/lib/ws/v/v2/helpers/index.js b/dist/lib/ws/v/v2/helpers/index.js new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/dist/lib/ws/v/v2/helpers/index.js @@ -0,0 +1 @@ +module.exports = {}; diff --git a/dist/lib/ws/v/v2/helpers/process_message.js b/dist/lib/ws/v/v2/helpers/process_message.js new file mode 100644 index 0000000..b7ce8f9 --- /dev/null +++ b/dist/lib/ws/v/v2/helpers/process_message.js @@ -0,0 +1,14 @@ +module.exports = () => { }; +const RESPONSE_ENUMS = require("market-csgo-manager-master/ws/enums/incoming_messages"); +module.exports = function (message) { + const SERVICE_MESSAGES_CALLBACKS = { + 'auth': this.marketAPIProvider.v2.getWsAuth + }; + if (SERVICE_MESSAGES_CALLBACKS[message]) + return SERVICE_MESSAGES_CALLBACKS[message](); + try { + const parsedMessage; + } + finally { + } +}; diff --git a/market/MarketLayer.js b/dist/market/MarketLayer.js similarity index 79% rename from market/MarketLayer.js rename to dist/market/MarketLayer.js index 4a0ab60..0a711dc 100644 --- a/market/MarketLayer.js +++ b/dist/market/MarketLayer.js @@ -1,18 +1,13 @@ "use strict"; - const EMarketMessage = require("./enums/system/EMarketMessage"); const EMarketEventStage = require("./enums/system/EMarketEventStage"); const EMarketEventType = require("./enums/system/EMarketEventType"); - const EErrorType = require("./enums/EErrorType"); const EErrorSource = require("./enums/EErrorSource"); const MiddlewareError = require("./classes/MiddlewareError"); - -const MarketApi = require("../modules/MarketApi"); -const FnExtensions = require("../modules/FnExtensions"); - +const MarketApi = require("../../modules/MarketApi"); +const FnExtensions = require("../../modules/FnExtensions"); module.exports = MarketLayer; - /** * High lever layer to work with http://market.csgo.com * @@ -22,13 +17,10 @@ module.exports = MarketLayer; */ function MarketLayer(config, _logger = console) { this._config = config; - /** @interface {console} */ this._log = _logger; - this.started = false; this.pingEnabled = true; - this.api = new MarketApi({ gotOptions: { agent: { @@ -42,102 +34,84 @@ function MarketLayer(config, _logger = console) { apiKey: config.apiKey, htmlAnswerLogPath: config.errorLogPath, }); - this._wallet = null; // int, minor units this._buyDiscount = null; // ratio } - -MarketLayer.prototype.start = function() { - if(this.started) { +MarketLayer.prototype.start = function () { + if (this.started) { return; } this.started = true; - this._log.trace("Starting market layer"); - - FnExtensions.setWatcher(async() => { - if(this.pingEnabled) { + FnExtensions.setWatcher(async () => { + if (this.pingEnabled) { try { await this.ping(); - } catch(e) { + } + catch (e) { this._log.error("Major error on market ping-pong", e); } } }, this._config.pingInterval); - - if(this._config.applyDiscounts) { - FnExtensions.setWatcher(async() => { + if (this._config.applyDiscounts) { + FnExtensions.setWatcher(async () => { this._buyDiscount = await this._getBuyDiscount(); }, this._config.discountUpdateInterval); } }; - -MarketLayer.prototype.buyItem = function(hashName, goodPrice, partnerId, tradeToken) { +MarketLayer.prototype.buyItem = function (hashName, goodPrice, partnerId, tradeToken) { return this.getItemOffers(hashName, goodPrice).then((list) => { return this.buyCheapest(list, this.tradeData(partnerId, tradeToken)); }); }; - -MarketLayer.prototype.buyCheapest = function(offers, tradeData) { +MarketLayer.prototype.buyCheapest = function (offers, tradeData) { let badItemPrice = false; - let buyAttempt = () => { - if(offers.length === 0) { + if (offers.length === 0) { throw MiddlewareError("All buy attempts failed", EErrorType.AttemptsFailed, EErrorSource.Market); } - let balance = this._getAccountBalance(); let instance = offers.shift(); - // fix for BuyOfferExpired. May also decrease total buying costs - if(this._config.hackExpiredOffers && offers.length > 0) { + if (this._config.hackExpiredOffers && offers.length > 0) { let nextInstance = offers[0]; - instance.min_price = instance.price; // fall back instance.price = Math.max(instance.price, nextInstance.price - 1); } - - if(balance !== false && instance.price > balance) { - throw MiddlewareError("Need to top up bots balance", EErrorType.NeedMoney, EErrorSource.Owner, {needMoney: instance.price}); + if (balance !== false && instance.price > balance) { + throw MiddlewareError("Need to top up bots balance", EErrorType.NeedMoney, EErrorSource.Owner, { needMoney: instance.price }); } - return this._tryToBuy(instance, tradeData).then((data) => { - if(data === null) { + if (data === null) { return buyAttempt(); } - return data; }).catch((err) => { // Комментарий поддержки: "Цена на предмет явно завышена, от цены в стиме, поэтому предмет разблокировке не подлежит" // Пример 95% этой ошибки: пытаемся купить за 30-50р предмет, который в стиме стоит 3-6р // В таком случае не имеет смысла постоянно пытаться покупать предмет по все большей цене - if(err instanceof MiddlewareError && err.type === EErrorType.BadOfferPrice && !badItemPrice) { + if (err instanceof MiddlewareError && err.type === EErrorType.BadOfferPrice && !badItemPrice) { badItemPrice = true; - return buyAttempt(); } - if(err.statusCode) { + if (err.statusCode) { err.instance = instance; } - throw err; }); }; - return buyAttempt(); }; - -MarketLayer.prototype._tryToBuy = function(instance, tradeData) { +MarketLayer.prototype._tryToBuy = function (instance, tradeData) { let gotOptions = { retry: { retries: 1, }, }; let uprice = instance.price; - return this.api.buyCreate(instance, uprice, tradeData, gotOptions).then((response) => { let message = response.result; - switch(message) { + switch (message) { case EMarketMessage.Ok: return { uiId: response.id, @@ -146,11 +120,9 @@ MarketLayer.prototype._tryToBuy = function(instance, tradeData) { price: this._applyDiscount(instance.min_price || uprice), offerPrice: instance.min_price, // original price, provided by the market }; - case EMarketMessage.BadOfferPrice: this._log.trace(`${response.result}; mhn: ${instance.hashName}; netid: ${instance.classId}_${instance.instanceId}; price: ${uprice}`); throw MiddlewareError("Unable to buy item for current price", EErrorType.BadOfferPrice, EErrorSource.Market); - case EMarketMessage.BuyOfferExpired: case EMarketMessage.SomebodyBuying: case EMarketMessage.RequestErrorNoList: @@ -159,12 +131,10 @@ MarketLayer.prototype._tryToBuy = function(instance, tradeData) { case EMarketMessage.ServerError7: this._log.trace(EMarketMessage.hash(message)); return null; - case EMarketMessage.NeedToTake: throw MiddlewareError("Need to withdraw items", EErrorType.NeedToTake, EErrorSource.Owner); case EMarketMessage.NeedMoney: - throw MiddlewareError("Need to top up bots balance", EErrorType.NeedMoney, EErrorSource.Owner, {needMoney: uprice}); - + throw MiddlewareError("Need to top up bots balance", EErrorType.NeedMoney, EErrorSource.Owner, { needMoney: uprice }); case EMarketMessage.InvalidTradeLink: throw MiddlewareError("Your trade link is invalid", EErrorType.InvalidToken, EErrorSource.User); case EMarketMessage.SteamInventoryPrivate: @@ -177,26 +147,21 @@ MarketLayer.prototype._tryToBuy = function(instance, tradeData) { throw MiddlewareError("Send failed due to many declined trades", EErrorType.BotCanceledTrades, EErrorSource.User); case EMarketMessage.CanceledTrades: throw MiddlewareError("You have declined too many trades", EErrorType.CanceledTrades, EErrorSource.User); - default: this._log.debug("Unknown buy res", response); - return null; } }); }; - -MarketLayer.prototype.tradeData = function(partnerId, tradeToken) { - if(partnerId && tradeToken) { +MarketLayer.prototype.tradeData = function (partnerId, tradeToken) { + if (partnerId && tradeToken) { return { partnerId: partnerId, tradeToken: tradeToken, }; } - return null; }; - /** * Returns asset variants to buy the item, sorted by their price * @param {String} mhn - Item hash name @@ -204,13 +169,11 @@ MarketLayer.prototype.tradeData = function(partnerId, tradeToken) { * @return {Array<{instanceId: String, classId: String, price: Number, offers: Number}>} * @async */ -MarketLayer.prototype.getItemOffers = async function(mhn, maxPrice) { +MarketLayer.prototype.getItemOffers = async function (mhn, maxPrice) { let allowedPrice = maxPrice ? this._config.preparePrice(maxPrice) : Number.MAX_VALUE; - function extractOffers(items) { return items.map((item) => { let ids = MarketApi.getItemIds(item); - return { hashName: MarketApi.getItemHash(item), instanceId: ids.instanceId, @@ -220,99 +183,80 @@ MarketLayer.prototype.getItemOffers = async function(mhn, maxPrice) { }; }); } - function prepareOffers(items) { return items .filter((item) => item.price <= allowedPrice && item.offers > 0) // remove all expensive and empty offers .filter((item) => item.hashName === mhn) // remove all offers with the wrong items (yes, that happens) .sort((a, b) => a.price - b.price); // sort offers from cheapest to most expensive } - let itemVariants = await this.api.searchV2ItemByHash(mhn); - if(!itemVariants.success) { + if (!itemVariants.success) { throw MiddlewareError("Can't get item variants on TM", EErrorType.RequestFailed, EErrorSource.Market); } - if(!itemVariants.data || itemVariants.data.length === 0) { + if (!itemVariants.data || itemVariants.data.length === 0) { throw MiddlewareError("Got empty list of item variants on TM", EErrorType.NotFound, EErrorSource.Market); } - let rawVariants = extractOffers(itemVariants.data); let preparedVariants = prepareOffers(rawVariants); - - if(preparedVariants.length === 0) { + if (preparedVariants.length === 0) { let message = "There are variants, but all of them are too expensive or invalid"; let lowestPrice = Math.min.apply(null, rawVariants.map((item) => item.price)); - - throw MiddlewareError(message, EErrorType.TooHighPrices, EErrorSource.Owner, {lowestPrice}); + throw MiddlewareError(message, EErrorType.TooHighPrices, EErrorSource.Owner, { lowestPrice }); } - return preparedVariants; }; - /** * @param {Number} botWallet */ -MarketLayer.prototype.setAccountBalance = function(botWallet) { +MarketLayer.prototype.setAccountBalance = function (botWallet) { this._wallet = Number(botWallet); // in cents }; - -MarketLayer.prototype._getAccountBalance = function() { - if(this._wallet === null) { +MarketLayer.prototype._getAccountBalance = function () { + if (this._wallet === null) { return Number.MAX_VALUE; } - return this._wallet; }; - -MarketLayer.prototype._getBuyDiscount = async function() { +MarketLayer.prototype._getBuyDiscount = async function () { let response; try { response = await this.api.accountGetDiscounts(); - } catch(e) { + } + catch (e) { this._log.error("Failed to get discounts: ", e); - return 0; } - - if(!response.success) { + if (!response.success) { return 0; } - let discounts = response.discounts; - if(!discounts || !discounts.buy_discount) { + if (!discounts || !discounts.buy_discount) { return 0; } - return discounts.buy_discount.replace('%', '') / 100; }; - -MarketLayer.prototype._applyDiscount = function(price) { - if(!this._config.applyDiscounts) { +MarketLayer.prototype._applyDiscount = function (price) { + if (!this._config.applyDiscounts) { return price; } - return Math.round(price * (1 - this._buyDiscount)); }; - -MarketLayer.prototype.setTradeToken = function(newToken) { +MarketLayer.prototype.setTradeToken = function (newToken) { return this.api.accountGetToken().then((data) => { - if(data.success && data.token !== newToken) { - return this.api.accountSetToken(newToken, {retry: {retries: 5}}).then(() => { - if(!data.success) { + if (data.success && data.token !== newToken) { + return this.api.accountSetToken(newToken, { retry: { retries: 5 } }).then(() => { + if (!data.success) { throw new Error(data.error); } - this._log.log("Trade token updated on TM"); }); } }); }; - -MarketLayer.prototype.getTrades = function() { +MarketLayer.prototype.getTrades = function () { return this.api.accountGetTrades().then((trades) => { return trades.map((item) => { let ids = MarketApi.getItemIds(item); - return { ui_id: Number(item.ui_id), ui_status: Number(item.ui_status), @@ -326,183 +270,159 @@ MarketLayer.prototype.getTrades = function() { }); }); }; - -MarketLayer.prototype.getTrade = function(uiId) { +MarketLayer.prototype.getTrade = function (uiId) { return this.getTrades().then((trades) => { return trades.find((trade) => trade.ui_id === Number(uiId)); }); }; - -MarketLayer.prototype.getSteamTradeId = function(uiBid) { +MarketLayer.prototype.getSteamTradeId = function (uiBid) { return this.takeItemsFromBot(uiBid).then((botTrade) => botTrade.trade_id); }; - -MarketLayer.prototype.getBalance = async function() { +MarketLayer.prototype.getBalance = async function () { const data = await this.api.accountV2GetMoney(); - if(!data || typeof data.money === 'undefined' || !data.success) { + if (!data || typeof data.money === 'undefined' || !data.success) { throw new Error('Failed to extract balance from response'); } - return data; - return this.api.accountGetMoney().then((data) => { - return Number(data.money); }).catch((e) => this._log.warn("Error occurred on getBalance: ", e)); }; - -MarketLayer.prototype.getWsAuth = function() { +MarketLayer.prototype.getWsAuth = function () { return this.api.accountGetWSAuth().then((auth) => { /** * @property {Boolean} auth.success * @property {String} auth.wsAuth */ - - if(!auth.success) { + if (!auth.success) { throw auth; } - return auth.wsAuth; }).catch((err) => { this._log.error(err); - // retry return this.getWsAuth(); }); }; - -MarketLayer.prototype.ping = function() { +MarketLayer.prototype.ping = function () { /** * @property {Boolean} data.success * @property {String} data.ping */ return this.api.accountPingPong().then((data) => { - if(data.success) { + if (data.success) { this._log.log("TM successfully answered: " + data.ping); - return data.ping; - } else { - if(data.ping !== EMarketMessage.TooEarlyToPong) { + } + else { + if (data.ping !== EMarketMessage.TooEarlyToPong) { this._log.warn("Failed to ping TM: " + data.ping); - throw data.ping; } } }).catch((e) => { - if(e.message !== EMarketMessage.CheckTokenOrMobile) { + if (e.message !== EMarketMessage.CheckTokenOrMobile) { this._log.warn("Error occurred on pingPong request", e); - return null; - } else { + } + else { this._log.warn("Error occurred on pingPong request", e.message); - throw e; } }); }; - -MarketLayer.prototype.takeItemsFromBot = function(uiBid) { +MarketLayer.prototype.takeItemsFromBot = function (uiBid) { return this.api.sellCreateTradeRequest(uiBid, MarketApi.CREATE_TRADE_REQUEST_TYPE.OUT).then((answer) => { - if(!answer.success) { + if (!answer.success) { throw answer; } - return { - trade_id: answer.trade, // steam trade id - bot_id: answer.botid, // bot steam id - secret: answer.secret, // secret code in trade message + trade_id: answer.trade, + bot_id: answer.botid, + secret: answer.secret, time: Date.now(), }; }); }; - /** * @param {Date} [operationDate] - date, when this items was bought * @param {Number} [timeMargin] - in milliseconds */ -MarketLayer.prototype.getBoughtItems = function(operationDate, timeMargin = 60 * 1000) { +MarketLayer.prototype.getBoughtItems = function (operationDate, timeMargin = 60 * 1000) { // We have to align date if it is not passed in UTC+0 - if(this._config.handleTimezone) { + if (this._config.handleTimezone) { let REQUIRED_TIMEZONE = 0; // UTC0 let currentTimezone = operationDate.getTimezoneOffset(); - let offset = -(REQUIRED_TIMEZONE - currentTimezone); - operationDate = new Date(operationDate.getTime() + offset * 60 * 1000); } - let start, end; - if(operationDate) { + if (operationDate) { start = new Date(); start.setTime(operationDate.getTime() - timeMargin); - end = new Date(); end.setTime(operationDate.getTime() + timeMargin); - } else { + } + else { start = new Date(0); end = new Date(); } - return this.api.accountGetOperationHistory(start, end).then((history) => { - if(history.success) { + if (history.success) { let buyEvents = history.history.filter((event) => { return event.h_event === EMarketEventType.BuyGo; }); - if(!buyEvents.length) { + if (!buyEvents.length) { throw MiddlewareError("Buy events on " + operationDate + " not found", EErrorType.NotFound); } - return buyEvents; - } else { + } + else { this._log.debug("Failed to fetch operation history", history, operationDate); - throw MiddlewareError("Failed to get history", EErrorType.HistoryFailed); } }); }; - /** * @param {Number} marketId - market item id * @param {Date} [operationDate] - date, when this item was bought */ -MarketLayer.prototype.getItemState = async function(marketId, operationDate) { +MarketLayer.prototype.getItemState = async function (marketId, operationDate) { let initialMargin = 45 * 1000; let extendedMargin = 5 * 60 * 1000; let extractItem = (history) => history.find((event) => Number(event.item) === marketId); - - let getItem = async(margin) => { + let getItem = async (margin) => { let history = await this.getBoughtItems(operationDate, margin); let buyEvent = extractItem(history); - if(!buyEvent) { + if (!buyEvent) { throw MiddlewareError("Event for marketItem#" + marketId + " not found", EErrorType.NotFound); } - return buyEvent; }; - let makeRequests = async() => { + let makeRequests = async () => { try { return await getItem(initialMargin); - } catch(e) { - if(e.type === EErrorType.NotFound) { + } + catch (e) { + if (e.type === EErrorType.NotFound) { return await getItem(extendedMargin); - } else { + } + else { throw e; } } }; - let buyEvent; try { buyEvent = await makeRequests(); - } catch(e) { + } + catch (e) { e.marketId = marketId; throw e; } - let stage = Number(buyEvent.stage); - if(!EMarketEventStage.has(stage)) { + if (!EMarketEventStage.has(stage)) { throw MiddlewareError("Unknown item operation stage", EErrorType.UnknownStage); } - return stage; }; diff --git a/market/MarketSockets.js b/dist/market/MarketSockets.js similarity index 78% rename from market/MarketSockets.js rename to dist/market/MarketSockets.js index 82cf34b..7e91e2e 100644 --- a/market/MarketSockets.js +++ b/dist/market/MarketSockets.js @@ -1,25 +1,17 @@ "use strict"; - // Logic specific constants const WATCHDOG_TIME = 60 * 1000; const WATCHDOG_INTERVAL = 5 * 1000; - // Market specific things const DEFAULT_LEFT_TIME = -1; - const EventEmitter = require("events").EventEmitter; - const EMarketWsEvent = require("./enums/system/EMarketWsEvent"); const EMarketMessage = require("./enums/system/EMarketMessage"); const EMarketItemStatus = require("./enums/system/EMarketItemStatus"); - const ESocketEvent = require("./enums/ESocketEvent"); - -const WebSocketClient = require("../modules/WebSocketClient"); - +const WebSocketClient = require("../../modules/WebSocketClient"); module.exports = MarketSockets; require("util").inherits(MarketSockets, EventEmitter); - /** * @param {CSocketsConfig} config * @param {MarketLayer} layer - market layer. We need it to obtain auth code @@ -29,68 +21,54 @@ require("util").inherits(MarketSockets, EventEmitter); */ function MarketSockets(config, layer, _logger = console) { this._config = config; - /** @interface {console} */ this._log = _logger; - this.started = false; - /** @var {MarketLayer} */ this._layer = layer; - this._authorized = false; - /** @var {WebSocketClient} */ this.ws = this._createWebSockets(); } - /** * Starts WS session */ -MarketSockets.prototype.start = async function() { - if(this.started) { +MarketSockets.prototype.start = async function () { + if (this.started) { return; } this.started = true; - this._log.trace("Starting sockets"); - await new Promise((res, rej) => { let ready = false; - this.once(ESocketEvent.Auth, () => { ready = true; res(ready); }); - this.ws.connect({ agent: this._config.proxy }); - // We give it 5 seconds to connect setTimeout(() => { !ready && res(ready); }, 5 * 1000); }); - this._setPingWatchdog(); }; - -MarketSockets.prototype.reconnect = function() { +MarketSockets.prototype.reconnect = function () { try { this.ws.reconnect(); - } catch(e) { + } + catch (e) { console.log("Failed to reconnect to Websockets: ", e); } }; - /** * @return {Boolean} - are we currently connected to sockets */ -MarketSockets.prototype.isConnected = function() { +MarketSockets.prototype.isConnected = function () { return this.ws.isConnected() && this._authorized && !this.isStuck(); }; - /** * @event MarketSockets#connected */ @@ -104,53 +82,43 @@ MarketSockets.prototype.isConnected = function() { * @event MarketSockets#error * @param {Object} */ - /** * Creates new connection object, but doesn't establish it * @return {WebSocketClient} * @private */ -MarketSockets.prototype._createWebSockets = function() { +MarketSockets.prototype._createWebSockets = function () { let self = this; - let wsClient = new WebSocketClient(this._config.basePath, { pingInterval: this._config.pingInterval, minReconnectionDelay: (1 + 2 * Math.random()) * 1000, maxReconnectionDelay: 7500, }); - // Custom ping/pong procedure - wsClient.ping = function() { - if(self._authorized) { + wsClient.ping = function () { + if (self._authorized) { this.send("ping"); } }; - // Bind events wsClient.on("open", () => { this.emit(ESocketEvent.Connected); - this._auth(); }); wsClient.on("message", (msg) => { //console.log("ws msg: ", msg); - this._handleMsg(msg); }); wsClient.on("error", (err) => { this._log.error("ws error", err); - //this.emit(ESocketEvent.Error, err); }); wsClient.on("close", () => { this._authorized = false; - this.emit(ESocketEvent.DeAuth); }); - return wsClient; }; - /** * Ping response * @event MarketSockets#pong @@ -184,217 +152,192 @@ MarketSockets.prototype._createWebSockets = function() { * @property {Number} ui_id * @property {Number} ui_status */ - /** * Completely handles all messages from market sockets * @param {String} msg - Socket message */ -MarketSockets.prototype._handleMsg = function(msg) { +MarketSockets.prototype._handleMsg = function (msg) { //console.log(msg); - - if(msg === EMarketWsEvent.Pong) { + if (msg === EMarketWsEvent.Pong) { //console.log("market ws pong"); this.emit(ESocketEvent.Pong); - return; } - if(msg === EMarketWsEvent.AuthFailed) { + if (msg === EMarketWsEvent.AuthFailed) { this._log.error("Auth failed. Trying to authorize again"); - this._authorized = false; this.emit(ESocketEvent.DeAuth); - this._auth(); - return; } - let json, data; try { json = JSON.parse(msg); - } catch(e) { + } + catch (e) { this._log.warn("This message doesn't look like a valid JSON: " + msg); - return; } - try { data = JSON.parse(json.data); - } catch(e) { + } + catch (e) { this._log.warn("This data doesn't look like a valid JSON: " + json.data); - return; } - this._handleMsgByType(json.type, data); }; - /** * @param {String} type * @param {Object|null} data * @private */ -MarketSockets.prototype._handleMsgByType = function(type, data) { +MarketSockets.prototype._handleMsgByType = function (type, data) { //console.log("message", type, data); this.emit(ESocketEvent.Message, type, data); - const extractLeftTime = (data) => Number(data.left || DEFAULT_LEFT_TIME); - - if(type === EMarketWsEvent.BalanceUpdate) { + if (type === EMarketWsEvent.BalanceUpdate) { let parsed = this._extractFloatNumber(data); this.emit(ESocketEvent.BalanceUpdate, parsed); - return; } - if(type === EMarketWsEvent.ItemAdd) { + if (type === EMarketWsEvent.ItemAdd) { //console.log("ItemAdd", data); - let prepared = { ui_id: Number(data.ui_id), ui_status: Number(data.ui_status), - ui_price: Math.round(Number(data.ui_price) * 100), // convert to cents + ui_price: Math.round(Number(data.ui_price) * 100), i_classid: Number(data.i_classid), i_instanceid: Number(data.i_instanceid) || Number(data.ui_real_instance) || 0, send_until: Number(data.send_until), update: false, //raw: data, }; - if(prepared.ui_status === EMarketItemStatus.Delivered || prepared.ui_status === EMarketItemStatus.Pending) { + if (prepared.ui_status === EMarketItemStatus.Delivered || prepared.ui_status === EMarketItemStatus.Pending) { Object.assign(prepared, { ui_bid: Number(data.ui_bid), left: extractLeftTime(data), }); } - - if(prepared.ui_status === EMarketItemStatus.Delivered) { + if (prepared.ui_status === EMarketItemStatus.Delivered) { return; // Some bug happened? } - this.emit(ESocketEvent.ItemAdd, prepared); - if(prepared.ui_status === EMarketItemStatus.NeedToTake) { + if (prepared.ui_status === EMarketItemStatus.NeedToTake) { this.emit(ESocketEvent.ItemTake, prepared); } - return; } - if(type === EMarketWsEvent.ItemStatusChange) { + if (type === EMarketWsEvent.ItemStatusChange) { //console.log("ItemStatusChange", data); - let prepared = { ui_id: Number(data.id), ui_status: Number(data.status), update: true, //raw: data, }; - let event; - if(prepared.ui_status === EMarketItemStatus.NeedToTake) { + if (prepared.ui_status === EMarketItemStatus.NeedToTake) { prepared.ui_bid = Number(data.bid); prepared.left = extractLeftTime(data); - event = ESocketEvent.ItemTake; - } else if(prepared.ui_status === EMarketItemStatus.Delivered) { + } + else if (prepared.ui_status === EMarketItemStatus.Delivered) { event = ESocketEvent.ItemRemove; - } else if(prepared.ui_status === EMarketItemStatus.Pending) { + } + else if (prepared.ui_status === EMarketItemStatus.Pending) { prepared.left = extractLeftTime(data); - event = ESocketEvent.ItemUpdate; } - this.emit(event, prepared); - return; } - - if(type === EMarketWsEvent.Notification) { + if (type === EMarketWsEvent.Notification) { data = JSON.parse(data); - if(data.text && data.text === EMarketMessage.ItemReadyToTake) { + if (data.text && data.text === EMarketMessage.ItemReadyToTake) { // nothing to do right now // this event is not interesting for us, because we get ItemStatusChange that shows the same - } else if(data.text && data.text === EMarketMessage.SupportAnswer) { + } + else if (data.text && data.text === EMarketMessage.SupportAnswer) { /* noop */ - } else { + } + else { this._log.warn("Notification from market administration: ", data); } - } else if(type === EMarketWsEvent.ItemOut) { + } + else if (type === EMarketWsEvent.ItemOut) { //console.log("ItemOut", data); - // Currently we are not interested, because this event is // for items that we have to send, but we only buy items - } else if(type === EMarketWsEvent.InventoryUpdate) { + } + else if (type === EMarketWsEvent.InventoryUpdate) { // Steam inventory updated // We are not interested in this event -> noop - } else if(type === EMarketWsEvent.BetNotificationCs || type === EMarketWsEvent.BetNotificationGo) { + } + else if (type === EMarketWsEvent.BetNotificationCs || type === EMarketWsEvent.BetNotificationGo) { // Tells us about bets promos. We are completely not interested in it // If you want to see it in logs uncomment the line below //console.log("BetNotification", type, JSON.parse(data)); - } else if(type === EMarketWsEvent.AdminMessage || type === EMarketWsEvent.SetDirect) { + } + else if (type === EMarketWsEvent.AdminMessage || type === EMarketWsEvent.SetDirect) { // Just ignore - } else if(type === EMarketWsEvent.OnlineCheck || type === EMarketWsEvent.SetOnline) { + } + else if (type === EMarketWsEvent.OnlineCheck || type === EMarketWsEvent.SetOnline) { // Unknown messages. Currently can be ignored - } else { + } + else { this._log.warn("Unsupported ws message type '" + type + "'", data); } }; - /** * Sends auth message to market sockets, * so we start to receive private events about our account */ -MarketSockets.prototype._auth = function() { +MarketSockets.prototype._auth = function () { this._layer.getWsAuth().then((authKey) => { this.ws.send(authKey); this.ws.ping(); - this._authorized = true; - this.emit(ESocketEvent.Auth); }); }; - /** * Finds float number int text, multiplies in by 100 and rounds to avoid floating point problems * @param {String} rawBalance * @return {Number} * @private */ -MarketSockets.prototype._extractFloatNumber = function(rawBalance) { +MarketSockets.prototype._extractFloatNumber = function (rawBalance) { return Math.round(parseFloat(rawBalance.replace(/[^\d.]*/g, "")) * 100); }; - /** * Says if sockets is stuck and didn't communicate for too long * @return {Boolean} */ -MarketSockets.prototype.isStuck = function() { +MarketSockets.prototype.isStuck = function () { return this._watchdogTime + WATCHDOG_TIME - Date.now() < 0; }; - /** * @private */ -MarketSockets.prototype._updateWatchdogClock = function() { +MarketSockets.prototype._updateWatchdogClock = function () { this._watchdogTime = Date.now(); }; - /** * @private */ -MarketSockets.prototype._setPingWatchdog = function() { - if(this._pingWatchdog) { +MarketSockets.prototype._setPingWatchdog = function () { + if (this._pingWatchdog) { return; } - // Set timer this._updateWatchdogClock(); this.ws.on("message", () => this._updateWatchdogClock()); this.ws.on("reconnect", () => this._updateWatchdogClock()); - // Set watcher this._pingWatchdog = setInterval(() => { - if(this.isStuck()) { + if (this.isStuck()) { //console.log("Market sockets stopped answering"); - this.emit(ESocketEvent.Stuck); } }, WATCHDOG_INTERVAL); diff --git a/market/classes/MiddlewareError.js b/dist/market/classes/MiddlewareError.js similarity index 74% rename from market/classes/MiddlewareError.js rename to dist/market/classes/MiddlewareError.js index d4270fe..d5a3fff 100644 --- a/market/classes/MiddlewareError.js +++ b/dist/market/classes/MiddlewareError.js @@ -1,25 +1,20 @@ "use strict"; - module.exports = MiddlewareError; - function errorExtend(message) { // Make this an instanceof Error. Object.setPrototypeOf(this.constructor.prototype, Error.prototype); - // Creates the this.stack getter - if(Error.captureStackTrace) { + if (Error.captureStackTrace) { Error.captureStackTrace(this, this.constructor); - } else { + } + else { this.stack = (new Error()).stack; } - // Fixes naming this.name = this.constructor.name; - // Fixes message this.message = message; } - /** * @param {String} message * @param {String} type @@ -30,35 +25,29 @@ function errorExtend(message) { * @extends {Error} */ function MiddlewareError(message, type, source = null, errData = {}) { - if(!(this instanceof MiddlewareError)) { + if (!(this instanceof MiddlewareError)) { return new MiddlewareError(message, type, source, errData); } errorExtend.call(this, message); - - if(typeof source === "object") { + if (typeof source === "object") { errData = source; source = null; } - if(source && !errData.source) { + if (source && !errData.source) { errData.source = source; } - this.type = type; this.source = undefined; - Object.assign(this, errData); } - -MiddlewareError.prototype.shortInfo = function(includeMessage = false) { +MiddlewareError.prototype.shortInfo = function (includeMessage = false) { let excluded = ["name"]; - if(!includeMessage) { + if (!includeMessage) { excluded.push("message"); } - let data = {}; Object.entries(this) - .filter((ent) => !excluded.includes(ent[0])) - .forEach((ent) => data[ent[0]] = ent[1]); - + .filter((ent) => !excluded.includes(ent[0])) + .forEach((ent) => data[ent[0]] = ent[1]); return data; }; diff --git a/dist/market/enums/EErrorSource.js b/dist/market/enums/EErrorSource.js new file mode 100644 index 0000000..65a12ad --- /dev/null +++ b/dist/market/enums/EErrorSource.js @@ -0,0 +1,14 @@ +"use strict"; +/** + * @readonly + * @enum {String} + */ +const EErrorSource = { + Market: "market", + Bot: "bot", + Owner: "owner", + User: "user", + Random: "random", // некоторый фактор рандома вызвал ошибку +}; +Object.freeze(EErrorSource); +module.exports = EErrorSource; diff --git a/market/enums/EErrorType.js b/dist/market/enums/EErrorType.js similarity index 60% rename from market/enums/EErrorType.js rename to dist/market/enums/EErrorType.js index 4c88de0..80c3d4f 100644 --- a/market/enums/EErrorType.js +++ b/dist/market/enums/EErrorType.js @@ -1,25 +1,20 @@ "use strict"; - /** * @readonly * @enum {String} */ const EErrorType = { - NotFound: "notFound", // required entity not found - RequestFailed: "failedRequest", // market did not return `success` response - AttemptsFailed: "failedAttempts", // all attempts to execute the action have failed - + NotFound: "notFound", + RequestFailed: "failedRequest", + AttemptsFailed: "failedAttempts", UnknownStage: "unknownStage", HistoryFailed: "historyFail", - TooHighPrices: "tooHighPrices", NeedMoney: "needMoney", NeedToTake: "needToTake", BadOfferPrice: "badItemPrice", - - TradeCreationFailed: "tradeCreationFailed", // unused - - InvalidToken: "invalidLink", // invalid trade token provided + TradeCreationFailed: "tradeCreationFailed", + InvalidToken: "invalidLink", InventoryClosed: "inventoryClosed", UnableOfflineTrade: "unableOfflineTrade", VacGameBan: "vacGameBan", @@ -27,5 +22,4 @@ const EErrorType = { BotCanceledTrades: "botCanceledTrades", }; Object.freeze(EErrorType); - module.exports = EErrorType; diff --git a/market/enums/ESocketEvent.js b/dist/market/enums/ESocketEvent.js similarity index 98% rename from market/enums/ESocketEvent.js rename to dist/market/enums/ESocketEvent.js index 1506296..8c9c18d 100644 --- a/market/enums/ESocketEvent.js +++ b/dist/market/enums/ESocketEvent.js @@ -1,5 +1,4 @@ "use strict"; - /** * @readonly * @enum {String} @@ -8,20 +7,15 @@ const ESocketEvent = { Connected: "connected", Error: "error", Message: "message", - Auth: "authorized", DeAuth: "deauthorized", - Pong: "pong", Stuck: "stuck", - BalanceUpdate: "balance", - ItemAdd: "itemAdd", ItemUpdate: "itemUpdate", ItemTake: "itemTake", ItemRemove: "itemRemove", }; Object.freeze(ESocketEvent); - module.exports = ESocketEvent; diff --git a/market/enums/system/EMarketEventStage.js b/dist/market/enums/system/EMarketEventStage.js similarity index 55% rename from market/enums/system/EMarketEventStage.js rename to dist/market/enums/system/EMarketEventStage.js index 9408c36..bdb51b1 100644 --- a/market/enums/system/EMarketEventStage.js +++ b/dist/market/enums/system/EMarketEventStage.js @@ -1,23 +1,19 @@ "use strict"; - /** * Статус действия на странице операций аккаунта(accountSummary) * @readonly * @enum {Number} */ const EMarketEventStage = { - Waiting: 1, // Ожидание передачи боту от продавца - Ready: 2, // Мы забрали предмет или он готов к тому, чтобы его забрали + Waiting: 1, + Ready: 2, Unknown3: 3, Unknown4: 4, - Unsuccessful: 5, // Покупка (не удалась) - - has: function(stage) { + Unsuccessful: 5, + has: function (stage) { stage = Number(stage); - return stage <= 5 && stage >= 1; }, }; Object.freeze(EMarketEventStage); - module.exports = EMarketEventStage; diff --git a/dist/market/enums/system/EMarketEventType.js b/dist/market/enums/system/EMarketEventType.js new file mode 100644 index 0000000..76141ce --- /dev/null +++ b/dist/market/enums/system/EMarketEventType.js @@ -0,0 +1,20 @@ +"use strict"; +/** + * Тип действия на странице операций аккаунта(accountSummary) + * @readonly + * @enum {String} + */ +const EMarketEventType = { + CheckIn: "checkin", + CheckOut: "checkout", + BuyGo: "buy_go", + SellGo: "sell_go", + BuyDota: "buy_dota", + SellDota: "sell_dota", + BuyTf: "buy_tf", + SellTf: "sell_tf", + BuyGt: "buy_gt", + SellGt: "sell_gt", // продажа предмета в Gifts.TM +}; +Object.freeze(EMarketEventType); +module.exports = EMarketEventType; diff --git a/dist/market/enums/system/EMarketItemStatus.js b/dist/market/enums/system/EMarketItemStatus.js new file mode 100644 index 0000000..de76842 --- /dev/null +++ b/dist/market/enums/system/EMarketItemStatus.js @@ -0,0 +1,16 @@ +"use strict"; +/** + * Текущий статус прдмета в инвентаре маркета, возвращаемый методом `Trades` + * @readonly + * @enum {Number} + */ +const EMarketItemStatus = { + Selling: 1, + NeedToGive: 2, + Pending: 3, + NeedToTake: 4, + Delivered: 5, + Unknown1: 6, // It exists in market scripts code, but IDK what does it mean +}; +Object.freeze(EMarketItemStatus); +module.exports = EMarketItemStatus; diff --git a/market/enums/system/EMarketMessage.js b/dist/market/enums/system/EMarketMessage.js similarity index 88% rename from market/enums/system/EMarketMessage.js rename to dist/market/enums/system/EMarketMessage.js index 4b3ff62..7c7e551 100644 --- a/market/enums/system/EMarketMessage.js +++ b/dist/market/enums/system/EMarketMessage.js @@ -1,5 +1,4 @@ "use strict"; - /** * Любое текстовое сообщение в ws событии или ответ на запрос к API. * Больше всего вариантов у метода `Buy`. @@ -7,18 +6,15 @@ * @enum {String} */ const EMarketMessage = { - Ok: "ok", // запрос выполнился нормально - + Ok: "ok", // API ping-pong TooEarlyToPong: "too early for pong", CheckTokenOrMobile: "token_check_or_mobile_authenticator", - // Вывод предмета RequestErrorNoItems: "Ошибка создания заявки: У вас нет вещей для передачи", RequestErrorWrongBotId: "Ошибка создания заявки: Неправильный номер бота", RequestErrorItemListFail: "Ошибка создания заявки: Не удалось получить список предметов", - RequestUnexpectedError: "Ошибка создания заявки: Exception", // Unexpected error. Normally we don't have to get it at all - + RequestUnexpectedError: "Ошибка создания заявки: Exception", // Закупка предмета // наши траблы NeedMoney: "Недостаточно средств на счету", @@ -29,7 +25,7 @@ const EMarketMessage = { // попробуйте снова BuyOfferExpired: "К сожалению, предложение устарело. Обновите страницу", SomebodyBuying: "Кто-то уже покупает этот предмет. Попробуйте ещё", - ServerError7: "Ошибка сервера 7", // Unexpected error. Normally we don't have to get it at all + ServerError7: "Ошибка сервера 7", // траблы маркета SteamOrBotProblems: "Возможны проблемы со стим или ботом, попробуйте позже.", BotIsBanned: "Бот забанен, скоро исправим.", @@ -41,23 +37,19 @@ const EMarketMessage = { BadTokenInvClosed: "bad_token_inv_closed", CanceledTrades: "Передача предмета на этого пользователя не возможна, из-за не принятия большого кол-ва обменов.", BuyCanceledTrades: "Вы не можете покупать, так как не приняли слишком много предложений обмена", - // WS events ItemReadyToTake: "Купленный предмет готов к получению, заберите его на странице \"Мои вещи\"", SupportAnswer: "Получен новый ответ от техподдержки", - - hash: function(message) { - for(let name in EMarketMessage) { - if(EMarketMessage.hasOwnProperty(name)) { - if(EMarketMessage[name] === message) { + hash: function (message) { + for (let name in EMarketMessage) { + if (EMarketMessage.hasOwnProperty(name)) { + if (EMarketMessage[name] === message) { return name; } } } - return null; }, }; Object.freeze(EMarketMessage); - module.exports = EMarketMessage; diff --git a/dist/market/enums/system/EMarketWsEvent.js b/dist/market/enums/system/EMarketWsEvent.js new file mode 100644 index 0000000..6056005 --- /dev/null +++ b/dist/market/enums/system/EMarketWsEvent.js @@ -0,0 +1,26 @@ +"use strict"; +/** + * Типы событий, которые могут придти по сокетам от маркета + * @readonly + * @enum {String} + */ +const EMarketWsEvent = { + Pong: "pong", + AuthFailed: "auth", + BalanceUpdate: "money", + ItemAdd: "additem_go", + ItemStatusChange: "itemstatus_go", + ItemOut: "itemout_new_go", + MarketNewItemOffer: "newitems_go", + MarketNewItemBought: "history_go", + InventoryUpdate: "invcache_go", + SetDirect: "setdirect", + AdminMessage: "imp_msg", + Notification: "webnotify", + BetNotificationCs: "webnotify_bets_cs", + BetNotificationGo: "webnotify_bets_go", + OnlineCheck: "onlinecheck", + SetOnline: "setonline", // На данный момент не знаю, что означает. Содерит либо ON либо OFF +}; +Object.freeze(EMarketWsEvent); +module.exports = EMarketWsEvent; diff --git a/dist/versions/v1/helpers/get_item_ids.js b/dist/versions/v1/helpers/get_item_ids.js new file mode 100644 index 0000000..e69de29 diff --git a/dist/versions/v1/index.js b/dist/versions/v1/index.js new file mode 100644 index 0000000..c2c3b0a --- /dev/null +++ b/dist/versions/v1/index.js @@ -0,0 +1,3 @@ +module.exports = function () { + return {}; +}; diff --git a/dist/versions/v1/methods.js b/dist/versions/v1/methods.js new file mode 100644 index 0000000..4109b56 --- /dev/null +++ b/dist/versions/v1/methods.js @@ -0,0 +1,55 @@ +/** + * Allows to call Manager.v2.someMethod() + * @returns {Object} with async functions as values methodName: function + */ +module.exports = function () { + return { + /** + * + * @param hashName + * @param goodPrice + * @param partnerId + * @param tradeToken + * @returns {Promise} + */ + buy: function (hashName, goodPrice, partnerId, tradeToken) { + let tradeData; + if (typeof partnerId === "object" && !tradeToken) { + tradeData = partnerId; + } + else { + tradeData = this.layer.tradeData(partnerId, tradeToken); + } + return this.marketAPIProvider.v2 + .getItemOffers(hashName, goodPrice) + .then((offers) => { + if (this._config.avoidBadBots) { + return this._buyAndAvoid(offers, tradeData); + } + return this.layer.buyCheapest(offers, tradeData); + }) + .then((item) => { + this._changeBalance(-item.price); + return item; + }) + .catch((err) => { + // todo: Если получили в ответ http ошибку, то проверять по истории операций, что предмет не был куплен + if (this._config.safeBuyRequests && err.statusCode && UNSAFE_HTTP_CODES.includes(err.statusCode)) { + return this.layer.getBoughtItems(new Date(), 20 * 1000).then((items) => { + // todo + console.log("TODO: add safeBuyRequests code", err.statusCode, items, err.instance); + let boughtItem = items.filter((item) => { + return 0; + }); + }).catch((err2) => { + throw err; + }); + } + if (err instanceof MiddlewareError && err.type === EErrorType.NeedMoney) { + this.emit(EManagerEvent.NeedMoney, err.needMoney); + } + throw err; + }).bind(this); + } + }; +}; diff --git a/dist/versions/v2/buy/helpers/get_item_ids.js b/dist/versions/v2/buy/helpers/get_item_ids.js new file mode 100644 index 0000000..615ffce --- /dev/null +++ b/dist/versions/v2/buy/helpers/get_item_ids.js @@ -0,0 +1,19 @@ +/** + * Formal way to get steam item ids + * + * @param {Object} item Item object that you got from API, or you have created by yourself + * @param {Boolean} [asNumbers] Should we convert ids to numbers? + * + * @returns {{classId: string, instanceId: string}} + */ +module.exports = function (item, asNumbers = false) { + const CLASS_ID = item.i_classid || item.classid || item.classId || item.class; + let instanceId = item.i_instanceid || item.instanceid || item.instanceId || item.instance || 0; + if (instanceId === 0 && item.ui_real_instance) { + instanceId = item.ui_real_instance; + } + return { + classId: (asNumbers ? Number : String)(CLASS_ID), + instanceId: (asNumbers ? Number : String)(instanceId), + }; +}; diff --git a/dist/versions/v2/buy/helpers/get_item_offers.js b/dist/versions/v2/buy/helpers/get_item_offers.js new file mode 100644 index 0000000..45dad7b --- /dev/null +++ b/dist/versions/v2/buy/helpers/get_item_offers.js @@ -0,0 +1,22 @@ +const getItemIds = require('./helpers/get_item_ids'); +module.exports = async function (mhn, maxPrice) { + let allowedPrice = maxPrice ? this._config.preparePrice(maxPrice) : Number.MAX_VALUE; + function extractOffers(items) { + return items.map((item) => { + let ids = this.marketAPIProvider[this.version].getItemIds(item); + return { + hashName: this.marketAPIProvider[this.version].getItemHash(item), + instanceId: ids.instanceId, + classId: ids.classId, + price: Number(item.price), + offers: Number(item.offers || item.count), + }; + }); + } + function prepareOffers(items) { + return items + .filter((item) => item.price <= allowedPrice && item.offers > 0) // remove all expensive and empty offers + .filter((item) => item.hashName === mhn) // remove all offers with the wrong items (yes, that happens) + .sort((a, b) => a.price - b.price); // sort offers from cheapest to most expensive + } +}; diff --git a/dist/versions/v2/buy/helpers/prepare_price.js b/dist/versions/v2/buy/helpers/prepare_price.js new file mode 100644 index 0000000..2894ae1 --- /dev/null +++ b/dist/versions/v2/buy/helpers/prepare_price.js @@ -0,0 +1,7 @@ +module.exports = function (price) { + let allowedPrice = price * (1 + this.price.fluctuation); + let compromise = Math.max(price * this.price.compromiseFactor, this.price.minCompromise); + let priceCap = allowedPrice + compromise; + //console.log("allowedPrice", allowedPrice, "compromise", compromise, "max", priceCap); + return priceCap; +}; diff --git a/dist/versions/v2/buy/index.js b/dist/versions/v2/buy/index.js new file mode 100644 index 0000000..12e6aea --- /dev/null +++ b/dist/versions/v2/buy/index.js @@ -0,0 +1,31 @@ +const getItemOffers = require('./helpers/get_item_offers'); +/** + * + * @param {string} hashName + * @param {number} goodPrice + * @param {number} partnerId + * @param {string} tradeToken + * @returns {Promise} + */ +module.exports = function (hashName, goodPrice, partnerId, tradeToken) { + let tradeData = (typeof partnerId === "object" && !tradeToken) ? + partnerId : + { + partnerId: partnerId, + tradeToken: tradeToken, + }; + return getItemOffers.call(this, hashName, goodPrice) + .then((offers) => { + if (this._config.avoidBadBots) { + return this._buyAndAvoid(offers, tradeData); + } + return this.layer.buyCheapest(offers, tradeData); + }) + .then((item) => { + this._changeBalance(-item.price); + return item; + }) + .catch((err) => { + // todo: Если получили в ответ http ошибку, то проверять по истории операций, что предмет не был куплен + }); +}; diff --git a/dist/versions/v2/buy_and_avoid/index.js b/dist/versions/v2/buy_and_avoid/index.js new file mode 100644 index 0000000..dc9cb2f --- /dev/null +++ b/dist/versions/v2/buy_and_avoid/index.js @@ -0,0 +1,15 @@ +module.exports = async function (offers, tradeData) { + let goodOffers = this.badOffersCache.offers.filter((el) => !el.isBad); + let otherOffers = this.badOffersCache.offers.filter((el) => el.isBad); + try { + let bought = await this.layer.buyCheapest(goodOffers, tradeData); + this._badOffers.storeBoughtOffer(bought); + return bought; + } + catch (e) { + if (otherOffers.length && e instanceof MiddlewareError && e.source !== EErrorSource.User) { + return await this.layer.buyCheapest(otherOffers, tradeData); + } + throw e; + } +}; diff --git a/dist/versions/v2/change_balance/index.js b/dist/versions/v2/change_balance/index.js new file mode 100644 index 0000000..a9f21e4 --- /dev/null +++ b/dist/versions/v2/change_balance/index.js @@ -0,0 +1,6 @@ +module.exports = function (delta, explicit = false) { + if (explicit || !this.marketWS.isConnected) { + this.wallet += delta; + this.emit('balanceUpdate', this.wallet, delta); + } +}; diff --git a/dist/versions/v2/helpers/get_item_ids.js b/dist/versions/v2/helpers/get_item_ids.js new file mode 100644 index 0000000..615ffce --- /dev/null +++ b/dist/versions/v2/helpers/get_item_ids.js @@ -0,0 +1,19 @@ +/** + * Formal way to get steam item ids + * + * @param {Object} item Item object that you got from API, or you have created by yourself + * @param {Boolean} [asNumbers] Should we convert ids to numbers? + * + * @returns {{classId: string, instanceId: string}} + */ +module.exports = function (item, asNumbers = false) { + const CLASS_ID = item.i_classid || item.classid || item.classId || item.class; + let instanceId = item.i_instanceid || item.instanceid || item.instanceId || item.instance || 0; + if (instanceId === 0 && item.ui_real_instance) { + instanceId = item.ui_real_instance; + } + return { + classId: (asNumbers ? Number : String)(CLASS_ID), + instanceId: (asNumbers ? Number : String)(instanceId), + }; +}; diff --git a/dist/versions/v2/helpers/get_item_offers.js b/dist/versions/v2/helpers/get_item_offers.js new file mode 100644 index 0000000..bfb1d46 --- /dev/null +++ b/dist/versions/v2/helpers/get_item_offers.js @@ -0,0 +1,37 @@ +const getItemIds = require('./get_item_ids'); +module.exports = async function (mhn, maxPrice) { + let allowedPrice = maxPrice ? this._config.preparePrice(maxPrice) : Number.MAX_VALUE; + function extractOffers(items) { + return items.map((item) => { + let ids = MarketApi.getItemIds(item); + return { + hashName: MarketApi.getItemHash(item), + instanceId: ids.instanceId, + classId: ids.classId, + price: Number(item.price), + offers: Number(item.offers || item.count), + }; + }); + } + function prepareOffers(items) { + return items + .filter((item) => item.price <= allowedPrice && item.offers > 0) // remove all expensive and empty offers + .filter((item) => item.hashName === mhn) // remove all offers with the wrong items (yes, that happens) + .sort((a, b) => a.price - b.price); // sort offers from cheapest to most expensive + } + let itemVariants = await this.marketAPIProvider.v2.searchItemByHashName(mhn); + if (!itemVariants.success) { + throw MiddlewareError("Can't get item variants on TM", EErrorType.RequestFailed, EErrorSource.Market); + } + if (!itemVariants.data || itemVariants.data.length === 0) { + throw MiddlewareError("Got empty list of item variants on TM", EErrorType.NotFound, EErrorSource.Market); + } + let rawVariants = extractOffers(itemVariants.data); + let preparedVariants = prepareOffers(rawVariants); + if (preparedVariants.length === 0) { + let message = "There are variants, but all of them are too expensive or invalid"; + let lowestPrice = Math.min.apply(null, rawVariants.map((item) => item.price)); + throw MiddlewareError(message, EErrorType.TooHighPrices, EErrorSource.Owner, { lowestPrice }); + } + return preparedVariants; +}; diff --git a/dist/versions/v2/helpers/get_trade_data.js b/dist/versions/v2/helpers/get_trade_data.js new file mode 100644 index 0000000..a6759bc --- /dev/null +++ b/dist/versions/v2/helpers/get_trade_data.js @@ -0,0 +1,9 @@ +module.exports = function (partnerId, tradeToken) { + if (partnerId && tradeToken) { + return { + partnerId: partnerId, + tradeToken: tradeToken, + }; + } + return null; +}; diff --git a/dist/versions/v2/index.js b/dist/versions/v2/index.js new file mode 100644 index 0000000..e9281af --- /dev/null +++ b/dist/versions/v2/index.js @@ -0,0 +1,12 @@ +/** + * Allows to call Manager.v2.someMethod() + * @returns {Object} with async functions as values methodName: function + */ +module.exports = function () { + return { + buy: require('./buy').bind(this), + buyAndAvoid: require('./buy_and_avoid').bind(this), + setWSCallbacks: require('./set_WS_callbacks').bind(this), + startBalanceUpdate: require('./start_balance_updater').bind(this) + }; +}; diff --git a/dist/versions/v2/methods.js b/dist/versions/v2/methods.js new file mode 100644 index 0000000..da81370 --- /dev/null +++ b/dist/versions/v2/methods.js @@ -0,0 +1,9 @@ +/** + * Allows to call Manager.v2.someMethod() + * @returns {Object} with async functions as values methodName: function + */ +module.exports = function () { + return { + buy: require('src/versions/v2/buy/buy').bind(this) + }; +}; diff --git a/dist/versions/v2/set_WS_callbacks/index.js b/dist/versions/v2/set_WS_callbacks/index.js new file mode 100644 index 0000000..33e1fd8 --- /dev/null +++ b/dist/versions/v2/set_WS_callbacks/index.js @@ -0,0 +1,27 @@ +module.exports = function () { + this.marketWS.on('open', () => { + }); + this.marketWS.on('auth', () => { + this.knapsak; + this._checker.change(this._config.validationInterval); + }); + this.marketWS.on('deAuth', () => { + th; + this._checker.change(this._config.updateInterval); + }); + this.marketWS.on('itemAdd', (data) => { + //console.log("itemAdd", data); + let item = new CKnapsackItem(data); + this._add(item, data); + }); + this.marketWS.on('itemTake', (data) => { + //console.log("itemTake", data); + let item = this.items[data.ui_id]; + this._update(item, data); + }); + this.marketWS.on('itemRemove', (data) => { + //console.log("itemRemove", data); + let item = this.items[data.ui_id]; + this._remove(item); + }); +}; diff --git a/dist/versions/v2/set_new_balance/index.js b/dist/versions/v2/set_new_balance/index.js new file mode 100644 index 0000000..e0626bc --- /dev/null +++ b/dist/versions/v2/set_new_balance/index.js @@ -0,0 +1,11 @@ +module.exports = function (balance) { + if (this.wallet === balance) { + return; + } + let delta = null; + if (this.wallet !== null) { + delta = this.wallet - balance; + } + this.wallet = balance; + this.emit('balanceUpdate', this.wallet, delta); +}; diff --git a/dist/versions/v2/start_balance_updater/index.js b/dist/versions/v2/start_balance_updater/index.js new file mode 100644 index 0000000..7f44438 --- /dev/null +++ b/dist/versions/v2/start_balance_updater/index.js @@ -0,0 +1,14 @@ +module.exports = function () { + this._startBalanceValidator(); + this.ws.on(ESocketEvent.BalanceUpdate, (newBalance) => { + if (newBalance === 0) { + // Here probably a bug happened + return this.updateWallet().catch(e => this._log.error(e)); + } + this._setNewBalance(newBalance); + }); + // Handling new balance + this.on(EManagerEvent.BalanceUpdate, (newBalance) => { + this.layer.setAccountBalance(newBalance); + }); +}; diff --git a/dist/ws/enums/incoming_messages.js b/dist/ws/enums/incoming_messages.js new file mode 100644 index 0000000..663f442 --- /dev/null +++ b/dist/ws/enums/incoming_messages.js @@ -0,0 +1,14 @@ +module.exports = function (message) { + return Object.freeze({ + auth: { + callback: this.#_auth, + }, + }); +}; +module.exports = function (message) { + return Object.freeze({ + auth: { + callback: this.#_auth, + }, + }); +}; diff --git a/dist/ws/enums/outgoing_messages.js b/dist/ws/enums/outgoing_messages.js new file mode 100644 index 0000000..004a481 --- /dev/null +++ b/dist/ws/enums/outgoing_messages.js @@ -0,0 +1,4 @@ +module.exports = Object.freeze({ + ping: "ping", + auth: "auth", +}); diff --git a/dist/ws/enums/validation_schemas/incoming_message_validation_schema.js b/dist/ws/enums/validation_schemas/incoming_message_validation_schema.js new file mode 100644 index 0000000..f6bd0f5 --- /dev/null +++ b/dist/ws/enums/validation_schemas/incoming_message_validation_schema.js @@ -0,0 +1,2 @@ +const JOI = require("joi"); +module.exports = Object.freeze(JOI.any()); diff --git a/dist/ws/helpers/build_URL.js b/dist/ws/helpers/build_URL.js new file mode 100644 index 0000000..8424f8b --- /dev/null +++ b/dist/ws/helpers/build_URL.js @@ -0,0 +1 @@ +module.exports = () => { }; diff --git a/dist/ws/helpers/process_message.js b/dist/ws/helpers/process_message.js new file mode 100644 index 0000000..756ddee --- /dev/null +++ b/dist/ws/helpers/process_message.js @@ -0,0 +1,5 @@ +module.exports = () => { }; +const RESPONSE_ENUMS = require("market-csgo-manager-master/ws/enums/incoming_messages"); +module.exports = function (message) { + const MESSAGE = JSON.parse(message); +}; diff --git a/dist/ws/helpers/validate_incoming_message.js b/dist/ws/helpers/validate_incoming_message.js new file mode 100644 index 0000000..832969a --- /dev/null +++ b/dist/ws/helpers/validate_incoming_message.js @@ -0,0 +1,6 @@ +const VALIDATE_WITH_JOI = require("@validateWithJoi"); +const SCHEMA = require("../enums/validation_schemas/incoming_message_validation_schema"); +module.exports = (messaconst); +VALIDATE_WITH_JOI = require("@validateWithJoi"); +const SCHEMA = require("../enums/validation_schemas/incoming_message_validation_schema"); +module.exports = (message) => VALIDATE_WITH_JOI(message, SCHEMA); diff --git a/dist/ws/index.js b/dist/ws/index.js new file mode 100644 index 0000000..63869ba --- /dev/null +++ b/dist/ws/index.js @@ -0,0 +1,32 @@ +const WS = require("ws"); +const CONFIG = require("config"); +const WS_PARAMS = CONFIG.get("wsParams"); +const { WS_ERROR_EMITTER } = require("@emitters"); +const ENUM_MESSAGES = require("market-csgo-manager-master/wsconst WS = require(", ws, ");); +const CONFIG = require("config"); +const WS_PARAMS = CONFIG.get("wsParams"); +const { WS_ERROR_EMITTER } = require("@emitters"); +const ENUM_MESSAGES = require("market-csgo-manager-master/ws/enums/outgoing_messages"); +const PROCESS_MESSAGE = require("./helpers/process_message"); +const SUBSCRIBE_TO_CHANNELS = require("./methods/sunscribe_to_channels"); +module.exports = function (WSParams) { + const VERSION = WSParams.version; + const CHANNELS = WSParams.channels; + const CSGO_MARKET_API_PROVIDER = WSParams.marketAPIProvider; + const CSGO_MARKET_WEBSCOKET = new WS(WSParams.URL); + CSGO_MARKET_WEBSCOKET.on("error", (error) => WS_ERROR_EMITTER.emit("error", error)); + CSGO_MARKET_WEBSCOKET.on("open", () => { + CSGO_MARKET_WEBSCOKET.#auth().then(() => { + SUBSCRIBE_TO_CHANNELS.call(CSGO_MARKET_WEBSCOKET, CHANNELS); + }); + }); + CSGO_MARKET_WEBSCOKET.#auth = function () { + CSGO_MARKET_API_PROVIDER[VERSION].getWSAuth().then((secretKey) => CSGO_MARKET_WEBSCOKET.send(secretKey)); + }; + CSGO_MARKET_WEBSCOKET.#_ping = function () { + CSGO_MARKET_WEBSCOKET.send(ENUM_MESSAGES.ping); + }; + CSGO_MARKET_WEBSCOKET.on("message", (message) => PROCESS_MESSAGE(message, WSParams).then((processedMessage) => WSParams[VERSION].messageCallback(processedMessage))); + CSGO_MARKET_WEBSCOKET.on("close", () => { }); + return CSGO_MARKET_WEBSCOKET; +}; diff --git a/dist/ws/methods/send_message.js b/dist/ws/methods/send_message.js new file mode 100644 index 0000000..6f0b9f9 --- /dev/null +++ b/dist/ws/methods/send_message.js @@ -0,0 +1,6 @@ +module.exports = function (WebSocket, message) { + WebSocket.send(message); +}; +module.exports = function (WebSocket, message) { + WebSocket.send(message); +}; diff --git a/dist/ws/methods/sunscribe_to_channels.js b/dist/ws/methods/sunscribe_to_channels.js new file mode 100644 index 0000000..d81e220 --- /dev/null +++ b/dist/ws/methods/sunscribe_to_channels.js @@ -0,0 +1,9 @@ +module.exports = function subscribeToChannel([currentChannel, ...otherChanmodule, exports = function subscribeToChannel([currentChannel, ...otherChannels]) { + return new Promise((resolve) => setTimeout(() => { + this.send(currentChannel); + otherChannels.length == 0 + ? resolve() + : subscribeToChannel.call(this, otherChannels); + })); +}]) { +}; diff --git a/dist/ws/v/v1/enums/index.js b/dist/ws/v/v1/enums/index.js new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/dist/ws/v/v1/enums/index.js @@ -0,0 +1 @@ +module.exports = {}; diff --git a/dist/ws/v/v1/helpers/index.js b/dist/ws/v/v1/helpers/index.js new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/dist/ws/v/v1/helpers/index.js @@ -0,0 +1 @@ +module.exports = {}; diff --git a/dist/ws/v/v2/enums/index.js b/dist/ws/v/v2/enums/index.js new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/dist/ws/v/v2/enums/index.js @@ -0,0 +1 @@ +module.exports = {}; diff --git a/dist/ws/v/v2/helpers/index.js b/dist/ws/v/v2/helpers/index.js new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/dist/ws/v/v2/helpers/index.js @@ -0,0 +1 @@ +module.exports = {}; diff --git a/json/dictionary.json b/json/dictionary.json new file mode 100644 index 0000000..bfdfe0f --- /dev/null +++ b/json/dictionary.json @@ -0,0 +1,15 @@ +{ + "client_errors": { + "different_API_keys": "Different API Keys provided fo this lib and API provider", + "no_api_key_for_private_method": "No API key fro private method provided. Call public methods or init like \n myAPI = require new MarketApi({apiKey: 'a1b2C3d4E5f6'})" + }, + "crash_errors": { + "cant_init_library": "Can't init the API provider li{ + "client_errors": { + "different_API_keys": "Different API Keys provided fo this lib and API provider", + "no_api_key_for_private_method": "No API key fro private method provided. Call public methods or init like \n myAPI = require new MarketApi({apiKey: 'a1b2C3d4E5f6'})" + }, + "crash_errors": { + "cant_init_library": "Can't init the API provider library" + } +} \ No newline at end of file diff --git a/lib/enums/EKnapsackEvent.js b/lib/enums/EKnapsackEvent.js deleted file mode 100644 index 2ebcec0..0000000 --- a/lib/enums/EKnapsackEvent.js +++ /dev/null @@ -1,20 +0,0 @@ -"use strict"; - -/** - * @readonly - * @enum {String} - */ -const EKnapsackEvent = { - Update: 'knapsack_upd', // Любое обновление содержимого, кроме обновления таймеров - - ItemAdd: 'add', // Предмет куплен - ItemUpdate: 'update', // Предмет поменял состояние - ItemExpired: 'expired', // Предмет не был отправлен и время истекло - ItemAccepted: 'accepted', // Предмет был получен - - TradeSent: 'sent', // Отправлен новый трейд - TradeCanceled: 'canceled', // Отправленный трейд был отменен -}; -Object.freeze(EKnapsackEvent); - -module.exports = EKnapsackEvent; diff --git a/market/enums/EErrorSource.js b/market/enums/EErrorSource.js deleted file mode 100644 index c51cbb8..0000000 --- a/market/enums/EErrorSource.js +++ /dev/null @@ -1,16 +0,0 @@ -"use strict"; - -/** - * @readonly - * @enum {String} - */ -const EErrorSource = { - Market: "market", // ошибка на маркете, кто-то уже покупает предмет - Bot: "bot", // not used - Owner: "owner", // не пополнен бот, нет предмета, дорогие предметы - User: "user", // недоступен трейд - Random: "random", // некоторый фактор рандома вызвал ошибку -}; -Object.freeze(EErrorSource); - -module.exports = EErrorSource; diff --git a/market/enums/system/EMarketEventType.js b/market/enums/system/EMarketEventType.js deleted file mode 100644 index 4c2b660..0000000 --- a/market/enums/system/EMarketEventType.js +++ /dev/null @@ -1,26 +0,0 @@ -"use strict"; - -/** - * Тип действия на странице операций аккаунта(accountSummary) - * @readonly - * @enum {String} - */ -const EMarketEventType = { - CheckIn: "checkin", // пополнение баланса - CheckOut: "checkout", // вывод средств - - BuyGo: "buy_go", // покупка предмета в CS:GO Маркете - SellGo: "sell_go", // продажа предмета в CS:GO Маркете - - BuyDota: "buy_dota", // покупка предмета в Dota2 Маркете - SellDota: "sell_dota", // продажа предмета в Dota2 Маркете - - BuyTf: "buy_tf", // покупка предмета в TF2.tm - SellTf: "sell_tf", // продажа предмета в TF2.tm - - BuyGt: "buy_gt", // покупка предмета в Gifts.TM - SellGt: "sell_gt", // продажа предмета в Gifts.TM -}; -Object.freeze(EMarketEventType); - -module.exports = EMarketEventType; diff --git a/market/enums/system/EMarketItemStatus.js b/market/enums/system/EMarketItemStatus.js deleted file mode 100644 index cfdae06..0000000 --- a/market/enums/system/EMarketItemStatus.js +++ /dev/null @@ -1,19 +0,0 @@ -"use strict"; - -/** - * Текущий статус прдмета в инвентаре маркета, возвращаемый методом `Trades` - * @readonly - * @enum {Number} - */ -const EMarketItemStatus = { - Selling: 1, // Вещь выставлена на продажу. - NeedToGive: 2, // Вы продали вещь и должны ее передать боту. - Pending: 3, // Ожидание передачи боту купленной вами вещи от продавца. - NeedToTake: 4, // Вы можете забрать купленную вещь. - Delivered: 5, // We took this item and now can forget about it - - Unknown1: 6, // It exists in market scripts code, but IDK what does it mean -}; -Object.freeze(EMarketItemStatus); - -module.exports = EMarketItemStatus; diff --git a/market/enums/system/EMarketWsEvent.js b/market/enums/system/EMarketWsEvent.js deleted file mode 100644 index 1715539..0000000 --- a/market/enums/system/EMarketWsEvent.js +++ /dev/null @@ -1,33 +0,0 @@ -"use strict"; - -/** - * Типы событий, которые могут придти по сокетам от маркета - * @readonly - * @enum {String} - */ -const EMarketWsEvent = { - Pong: "pong", - AuthFailed: "auth", - BalanceUpdate: "money", - - ItemAdd: "additem_go", // Предмет появился в вашем инвентаре на маркете - ItemStatusChange: "itemstatus_go", // Поменялся статус предмета в вашем инвентаре маркета - ItemOut: "itemout_new_go", // Предмет пропал из инвентаря на маркете (по разным причинам) - - MarketNewItemOffer: "newitems_go", // Выставлен новый предмет - MarketNewItemBought: "history_go", // Куплен новый предмет на маркете - - InventoryUpdate: "invcache_go", // Кэш инвентаря Steam обновлен - SetDirect: "setdirect", // Изменение статуса сообщения "Внимание! Вы не можете продавать!" - - AdminMessage: "imp_msg", // Важное сообщение от администрации - Notification: "webnotify", // Ответ тех. поддержки - BetNotificationCs: "webnotify_bets_cs", // Спам - BetNotificationGo: "webnotify_bets_go", // Спам - - OnlineCheck: "onlinecheck", // На данный момент не знаю, что означает. Содержит какую-то рандомную строку в 10 символов - SetOnline: "setonline", // На данный момент не знаю, что означает. Содерит либо ON либо OFF -}; -Object.freeze(EMarketWsEvent); - -module.exports = EMarketWsEvent; diff --git a/modules/ChangeableInterval.js b/modules/ChangeableInterval.js deleted file mode 100644 index f1cb0b2..0000000 --- a/modules/ChangeableInterval.js +++ /dev/null @@ -1,48 +0,0 @@ -"use strict"; - -module.exports = ChangeableInterval; - -/** - * @param callback - * @param interval - * @constructor - */ -function ChangeableInterval(callback, interval) { - this._callback = callback; - this._time = interval; - this._argv = Array.prototype.slice.call(arguments, 2); - - this._lastRun = Date.now(); - this._timeout = setTimeout(() => { - this.execute(); - }, this._time); -} - -ChangeableInterval.prototype.execute = function() { - this._setTimer(); - - this._lastRun = Date.now(); - this._callback.apply(null, this._argv); -}; - -ChangeableInterval.prototype._setTimer = function(time = this._time) { - clearTimeout(this._timeout); - - this._timeout = setTimeout(() => { - this.execute(); - }, time); -}; - -ChangeableInterval.prototype.change = function(interval) { - if(interval === this._time) { - return; - } - this._time = interval; - - let remainTime = Date.now() - this._lastRun - this._time; - if(remainTime <= 0) { - this.execute(); - } else { - this._setTimer(remainTime); - } -}; diff --git a/modules/FnExtensions.js b/modules/FnExtensions.js deleted file mode 100644 index 822c42f..0000000 --- a/modules/FnExtensions.js +++ /dev/null @@ -1,22 +0,0 @@ -"use strict"; - -module.exports = FnExtensions; - -function FnExtensions() { -} - -FnExtensions.setWatcher = function(fn, interval, caller = null) { - if(isNaN(interval)) { - throw new Error("Interval can not be NaN"); - } - - let intervalId = setInterval(() => fn.apply(caller), interval); - - fn.apply(caller); - - return intervalId; -}; - -FnExtensions.getRandomElement = function(arr) { - return arr[Math.floor(Math.random() * arr.length)]; -}; diff --git a/modules/MarketApi.js b/modules/MarketApi.js deleted file mode 100644 index 4c43e53..0000000 --- a/modules/MarketApi.js +++ /dev/null @@ -1,147 +0,0 @@ -"use strict"; - -const parseUrl = require("url").parse; -const fs = require("fs"); -const EventEmitter = require("events").EventEmitter; - -const MarketApi = require("market-csgo-api"); -const MarketApiError = MarketApi.MarketApiError; - -/** - * @extends {MarketApi} - */ -class MarketCustomApi extends MarketApi { - /** - * @inheritDoc - * @property {String} [options.htmlAnswerLogPath=null] - path, where HTML answers from API would be saved - */ - constructor(options) { - let __extendedError = options.extendedError; - let errorPath = null; - - options.extendedError = true; // we need it for HTML error logging - - // Adds trailing slash - if(options.htmlAnswerLogPath) { - if(!options.htmlAnswerLogPath.endsWith("/")) { - options.htmlAnswerLogPath += "/"; - } - - errorPath = options.htmlAnswerLogPath; - if(!fs.existsSync(errorPath)) { - fs.mkdirSync(errorPath); - } - } - - super(options); - - this.events = new EventEmitter(); - this._requestId = 0; - - this._errorPath = errorPath; - this.__extendedError = __extendedError; - } - - requestJsonHook(url, gotOptions = null) { - let currentID = this._requestId++; - let postData = gotOptions && gotOptions.form ? gotOptions.body : null; - - this.events.emit("_apiCall", url, currentID, postData); - - return super.requestJsonHook(url, gotOptions).then((data) => { - this.events.emit("_apiResponse", data, currentID); - - return data; - }).catch((error) => { - let [isApiError, isStringResponse, response, body] = this._errorData(error); - let saveBodyFile = !!(isStringResponse && this._errorPath); - - let responseLog = body; - if(!isApiError && saveBodyFile) { - responseLog = 'invalid JSON response'; - } - this.events.emit("_apiResponse", responseLog, currentID); - - if(response) { - if(saveBodyFile) { - this._saveHtmlError(url, body); - } - this._removeErrorExcess(error, saveBodyFile); - } - - this.events.emit("_error", error, currentID, isApiError); - - throw error; - }); - } - - _errorData(error) { - let isApiError = error instanceof MarketApiError; - - let response = error.response || null; - let body = null; - if(response) { - body = response.body || null; - } - - let isStringResponse = false; - if(!isApiError && typeof body === "string") { - try { - JSON.parse(body); - } catch(e) { - isStringResponse = true; - } - } - - return [isApiError, isStringResponse, response, body]; - } - - _saveHtmlError(url, body) { - let urlPath = parseUrl(url).pathname.replace(/^\/|\/$/g, "").replace(/[\s\/]/g, "_"); - let dateString = new Date().toISOString(); - - let fileName = `${urlPath}_${dateString}.html`; - fs.writeFile(this._errorPath + fileName, body, (err) => { - if(err) { - console.log("Failed to save html answer from TM", err); - } - }); - } - - _removeErrorExcess(error, full = false) { - if(!this.__extendedError && error) { - // Added, because `TypeError: Cannot delete property 'response' of HTTPError` - try { - if(error.response) { - delete error.response; - } - } catch(e) { - } - try { - if(error.gotOptions) { - delete error.gotOptions; - } - } catch(e) { - } - try { - if(error.timings) { - delete error.timings; - } - } catch(e) { - } - - if(full) { - if(error.body) { - delete error.body; - } - if(error.headers) { - delete error.headers; - } - } - } - } - -}; - -module.exports = MarketCustomApi; -module.exports.CSGOtmAPIError = MarketApiError; diff --git a/modules/WebSocketClient.js b/modules/WebSocketClient.js deleted file mode 100644 index 1180b18..0000000 --- a/modules/WebSocketClient.js +++ /dev/null @@ -1,261 +0,0 @@ -"use strict"; - -const EventEmitter = require("events").EventEmitter; -const WebSocket = require("ws"); - -const DEFAULTS = { - pingInterval: 30 * 1000, - minReconnectionDelay: 1000 + Math.random() * 2500, - maxReconnectionDelay: 20 * 1000, - reconnectionDelayGrowFactor: 1.25, - minUptime: 2.5 * 1000, - maxRetries: Infinity, - connectionTimeout: 5 * 1000, -}; - -module.exports = WebSocketClient; -require("util").inherits(WebSocketClient, EventEmitter); - -/** - * Simple wrapper on ws library, that handles reconnection - * - * @param {String} url - * @param {Object} [opts] - * @property {Number} [opts.pingInterval] - in ms - * @constructor - * @extends {EventEmitter} - */ -function WebSocketClient(url, opts) { - this.url = url; - - this._opts = Object.assign({}, DEFAULTS, opts); - - this._attempts = -1; - this._number = -1; // Message number - - this._reconnecting = false; - this._connected = false; - - this._setEventShortcuts(); - - this._messageBuffer = []; -} - -WebSocketClient.prototype.isConnected = function() { - return this._connected; -}; - -/** - * @param {Object} [wsOpts] - additional options for ws instance - */ -WebSocketClient.prototype.connect = function(wsOpts) { - if(typeof wsOpts !== "undefined") { - this._wsOpts = wsOpts; - } - if(typeof this._wsOpts === "undefined") { - this._wsOpts = {}; - } - - if(this._attempts >= this._opts.maxRetries) { - console.log("WebSocketClient: max retries reached", this._attempts, ">=", this._opts.maxRetries); - return; - } - this._attempts++; - - // Connecting - let ws = new WebSocket(this.url, [], this._wsOpts); - if(this._opts.connectionTimeout) { - this._connectTimeout = setTimeout(() => this._handleTimeout(), this._opts.connectionTimeout); - } - - ws.on("open", () => this._handleOpen()); - ws.on("message", (data, flags) => this._handleMessage(data, flags)); - ws.on("close", (code, reason) => this._handleClose(code, reason)); - ws.on("error", (err) => this._handleError(err)); - - this.instance = ws; - - if(this._opts.pingInterval) { - this._pingTimer = setInterval(() => { - this.ping(); - }, this._opts.pingInterval); - } -}; - -WebSocketClient.prototype.reconnect = function(e, reason, forced = false) { - if(this._reconnecting && !forced) { - console.trace(`WebSocketClient: is already reconnecting`); - return; - } - this._reconnecting = true; - - console.log(`WebSocketClient: connection closed by ${reason}, code: ${e}`); - //console.log(`WebSocketClient: retry in ${this.autoReconnectInterval}ms`, e); - - if(this._connected) { - this.disconnect(undefined, "reconnect"); - } - - setTimeout(() => { - console.log(`WebSocketClient: reconnecting...`); - - this.connect(); - - this.emit("reconnect", e, reason); - }, this._getCurrentDelay()); -}; - -WebSocketClient.prototype.disconnect = function(code, reason) { - //console.log("disconnect"); - - clearTimeout(this._uptimeTimeout); - clearTimeout(this._connectTimeout); - clearInterval(this._pingTimer); - - this.instance.close(code, reason); - this.instance.removeAllListeners(); - this.instance = null; - - this._connected = false; -}; - -WebSocketClient.prototype.send = function(data, options) { - if(!this.instance || this.instance.readyState !== WebSocket.OPEN) { - this._messageBuffer.push([data, options]); - - return; - } - - //console.log("ws send", data); - - this.instance.send(data, options, (err) => { - if(err) { - this.emit("error", err); - return; - } - - //console.log(data, "sent"); - }); -}; - -WebSocketClient.prototype.ping = function() { - if(!this.instance) { - return; - } - - this.instance.ping("ping"); -}; - -WebSocketClient.prototype._setEventShortcuts = function() { - this.on("open", () => this.onOpen()); - this.on("message", (data, number) => this.onMessage(data, number)); - this.on("close", (e, reconnecting) => this.onClose(e, reconnecting)); - this.on("error", (e) => this.onError(e)); -}; - -WebSocketClient.prototype._handleOpen = function() { - clearTimeout(this._connectTimeout); - - this._resetConnected(true); - - if(this._opts.minUptime) { - this._uptimeTimeout = setTimeout(() => this._handleUptime(), this._opts.minUptime); - } else { - this._handleUptime(); - } - - this.emit("open"); - - if(this._messageBuffer.length > 0) { - console.log(`WebSocketClient: sending ${this._messageBuffer.length} buffered messages`); - - for(let i of this._messageBuffer) { - this.send(i[0], i[1]); - } - - this._messageBuffer = []; - } -}; - -WebSocketClient.prototype._handleMessage = function(data) { - this._number++; - - this.emit("message", data, this._number); -}; - -WebSocketClient.prototype._handleError = function(e) { - switch(e.code) { - case "ECONNREFUSED": - this.reconnect(e, "error"); - break; - default: - this.emit("error", e); - break; - } -}; - -WebSocketClient.prototype._handleClose = function(code, reason) { - this._resetConnected(false); - - switch(code) { - case 1000: // CLOSE_NORMAL - console.log("WebSocketClient: closed"); - break; - default: // Abnormal closure - this.reconnect(code, "close"); - break; - } - - this.emit("close", code, this._reconnecting); -}; - -WebSocketClient.prototype._handleUptime = function() { - this._attempts = -1; -}; - -WebSocketClient.prototype._handleTimeout = function() { - if(!this.instance) { - return; - } - if(this.instance.readyState === WebSocket.OPEN) { - // our "open" event handler was set after the connection was opened - return; - } - - //console.log("ws connect timeout"); - - this._resetConnected(false); - - this.disconnect(undefined, "timeout"); -}; - -WebSocketClient.prototype._getCurrentDelay = function() { - if(this._attempts > 0) { - let minDelay = this._opts.minReconnectionDelay; - let maxDelay = this._opts.maxReconnectionDelay; - let growFactor = this._opts.reconnectionDelayGrowFactor; - - return Math.min(maxDelay, minDelay + Math.pow(this._attempts - 1, growFactor)); - } - - return 0; -}; - -WebSocketClient.prototype._resetConnected = function(value) { - this._reconnecting = false; - this._connected = value; -} - -// Default events -WebSocketClient.prototype.onOpen = function() { - //console.log("WebSocketClient: open", arguments); -}; -WebSocketClient.prototype.onMessage = function(data, flags, number) { - //console.log("WebSocketClient: message", arguments); -}; -WebSocketClient.prototype.onError = function(e) { - //console.log("WebSocketClient: error", arguments); -}; -WebSocketClient.prototype.onClose = function(e, reconnecting) { - //console.log("WebSocketClient: closed", arguments); -}; diff --git a/package-lock.json b/package-lock.json index 88931dc..b02f4fb 100644 --- a/package-lock.json +++ b/package-lock.json @@ -1,15 +1,16 @@ { "name": "market-csgo-manager", - "version": "0.2.34", + "version": "0.2.35", "lockfileVersion": 2, "requires": true, "packages": { "": { - "version": "0.2.34", + "version": "0.2.35", "license": "GNU", "dependencies": { "bufferutil": "^4.0.3", "https-proxy-agent": "^5.0.0", + "jest": "^26.6.3", "market-csgo-api": "^0.4.12", "node-cache": "^5.1.2", "tracer": "^1.1.4", @@ -26,965 +27,10349 @@ "node": ">=10.0.0" } }, - "node_modules/@sindresorhus/is": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/@sindresorhus/is/-/is-4.0.0.tgz", - "integrity": "sha512-FyD2meJpDPjyNQejSjvnhpgI/azsQkA4lGbuu5BQZfjvJ9cbRZXzeWL2HceCekW4lixO9JPesIIQkSoLjeJHNQ==", + "node_modules/@babel/code-frame": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.12.13.tgz", + "integrity": "sha512-HV1Cm0Q3ZrpCR93tkWOYiuYIgLxZXZFVG2VgK+MBWjUqZTundupbfx2aXarXuw5Ko5aMcjtJgbSs4vUGBS5v6g==", + "dependencies": { + "@babel/highlight": "^7.12.13" + } + }, + "node_modules/@babel/compat-data": { + "version": "7.14.0", + "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.14.0.tgz", + "integrity": "sha512-vu9V3uMM/1o5Hl5OekMUowo3FqXLJSw+s+66nt0fSWVWTtmosdzn45JHOB3cPtZoe6CTBDzvSw0RdOY85Q37+Q==" + }, + "node_modules/@babel/core": { + "version": "7.14.3", + "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.14.3.tgz", + "integrity": "sha512-jB5AmTKOCSJIZ72sd78ECEhuPiDMKlQdDI/4QRI6lzYATx5SSogS1oQA2AoPecRCknm30gHi2l+QVvNUu3wZAg==", + "dependencies": { + "@babel/code-frame": "^7.12.13", + "@babel/generator": "^7.14.3", + "@babel/helper-compilation-targets": "^7.13.16", + "@babel/helper-module-transforms": "^7.14.2", + "@babel/helpers": "^7.14.0", + "@babel/parser": "^7.14.3", + "@babel/template": "^7.12.13", + "@babel/traverse": "^7.14.2", + "@babel/types": "^7.14.2", + "convert-source-map": "^1.7.0", + "debug": "^4.1.0", + "gensync": "^1.0.0-beta.2", + "json5": "^2.1.2", + "semver": "^6.3.0", + "source-map": "^0.5.0" + }, "engines": { - "node": ">=10" + "node": ">=6.9.0" }, "funding": { - "url": "https://github.com/sindresorhus/is?sponsor=1" + "type": "opencollective", + "url": "https://opencollective.com/babel" } }, - "node_modules/@szmarczak/http-timer": { - "version": "4.0.5", - "resolved": "https://registry.npmjs.org/@szmarczak/http-timer/-/http-timer-4.0.5.tgz", - "integrity": "sha512-PyRA9sm1Yayuj5OIoJ1hGt2YISX45w9WcFbh6ddT0Z/0yaFxOtGLInr4jUfU1EAFVs0Yfyfev4RNwBlUaHdlDQ==", + "node_modules/@babel/core/node_modules/source-map": { + "version": "0.5.7", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", + "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/@babel/generator": { + "version": "7.14.3", + "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.14.3.tgz", + "integrity": "sha512-bn0S6flG/j0xtQdz3hsjJ624h3W0r3llttBMfyHX3YrZ/KtLYr15bjA0FXkgW7FpvrDuTuElXeVjiKlYRpnOFA==", "dependencies": { - "defer-to-connect": "^2.0.0" - }, + "@babel/types": "^7.14.2", + "jsesc": "^2.5.1", + "source-map": "^0.5.0" + } + }, + "node_modules/@babel/generator/node_modules/source-map": { + "version": "0.5.7", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", + "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=", "engines": { - "node": ">=10" + "node": ">=0.10.0" } }, - "node_modules/@types/cacheable-request": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/@types/cacheable-request/-/cacheable-request-6.0.1.tgz", - "integrity": "sha512-ykFq2zmBGOCbpIXtoVbz4SKY5QriWPh3AjyU4G74RYbtt5yOc5OfaY75ftjg7mikMOla1CTGpX3lLbuJh8DTrQ==", + "node_modules/@babel/helper-compilation-targets": { + "version": "7.13.16", + "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.13.16.tgz", + "integrity": "sha512-3gmkYIrpqsLlieFwjkGgLaSHmhnvlAYzZLlYVjlW+QwI+1zE17kGxuJGmIqDQdYp56XdmGeD+Bswx0UTyG18xA==", "dependencies": { - "@types/http-cache-semantics": "*", - "@types/keyv": "*", - "@types/node": "*", - "@types/responselike": "*" + "@babel/compat-data": "^7.13.15", + "@babel/helper-validator-option": "^7.12.17", + "browserslist": "^4.14.5", + "semver": "^6.3.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" } }, - "node_modules/@types/http-cache-semantics": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/@types/http-cache-semantics/-/http-cache-semantics-4.0.0.tgz", - "integrity": "sha512-c3Xy026kOF7QOTn00hbIllV1dLR9hG9NkSrLQgCVs8NF6sBU+VGWjD3wLPhmh1TYAc7ugCFsvHYMN4VcBN1U1A==" + "node_modules/@babel/helper-function-name": { + "version": "7.14.2", + "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.14.2.tgz", + "integrity": "sha512-NYZlkZRydxw+YT56IlhIcS8PAhb+FEUiOzuhFTfqDyPmzAhRge6ua0dQYT/Uh0t/EDHq05/i+e5M2d4XvjgarQ==", + "dependencies": { + "@babel/helper-get-function-arity": "^7.12.13", + "@babel/template": "^7.12.13", + "@babel/types": "^7.14.2" + } }, - "node_modules/@types/keyv": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/@types/keyv/-/keyv-3.1.1.tgz", - "integrity": "sha512-MPtoySlAZQ37VoLaPcTHCu1RWJ4llDkULYZIzOYxlhxBqYPB0RsRlmMU0R6tahtFe27mIdkHV+551ZWV4PLmVw==", + "node_modules/@babel/helper-get-function-arity": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.12.13.tgz", + "integrity": "sha512-DjEVzQNz5LICkzN0REdpD5prGoidvbdYk1BVgRUOINaWJP2t6avB27X1guXK1kXNrX0WMfsrm1A/ZBthYuIMQg==", "dependencies": { - "@types/node": "*" + "@babel/types": "^7.12.13" } }, - "node_modules/@types/node": { - "version": "14.14.33", - "resolved": "https://registry.npmjs.org/@types/node/-/node-14.14.33.tgz", - "integrity": "sha512-oJqcTrgPUF29oUP8AsUqbXGJNuPutsetaa9kTQAQce5Lx5dTYWV02ScBiT/k1BX/Z7pKeqedmvp39Wu4zR7N7g==" + "node_modules/@babel/helper-member-expression-to-functions": { + "version": "7.13.12", + "resolved": "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.13.12.tgz", + "integrity": "sha512-48ql1CLL59aKbU94Y88Xgb2VFy7a95ykGRbJJaaVv+LX5U8wFpLfiGXJJGUozsmA1oEh/o5Bp60Voq7ACyA/Sw==", + "dependencies": { + "@babel/types": "^7.13.12" + } }, - "node_modules/@types/responselike": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/@types/responselike/-/responselike-1.0.0.tgz", - "integrity": "sha512-85Y2BjiufFzaMIlvJDvTTB8Fxl2xfLo4HgmHzVBz08w4wDePCTjYw66PdrolO0kzli3yam/YCgRufyo1DdQVTA==", + "node_modules/@babel/helper-module-imports": { + "version": "7.13.12", + "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.13.12.tgz", + "integrity": "sha512-4cVvR2/1B693IuOvSI20xqqa/+bl7lqAMR59R4iu39R9aOX8/JoYY1sFaNvUMyMBGnHdwvJgUrzNLoUZxXypxA==", "dependencies": { - "@types/node": "*" + "@babel/types": "^7.13.12" } }, - "node_modules/agent-base": { - "version": "6.0.2", - "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-6.0.2.tgz", - "integrity": "sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==", + "node_modules/@babel/helper-module-transforms": { + "version": "7.14.2", + "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.14.2.tgz", + "integrity": "sha512-OznJUda/soKXv0XhpvzGWDnml4Qnwp16GN+D/kZIdLsWoHj05kyu8Rm5kXmMef+rVJZ0+4pSGLkeixdqNUATDA==", "dependencies": { - "debug": "4" - }, - "engines": { - "node": ">= 6.0.0" + "@babel/helper-module-imports": "^7.13.12", + "@babel/helper-replace-supers": "^7.13.12", + "@babel/helper-simple-access": "^7.13.12", + "@babel/helper-split-export-declaration": "^7.12.13", + "@babel/helper-validator-identifier": "^7.14.0", + "@babel/template": "^7.12.13", + "@babel/traverse": "^7.14.2", + "@babel/types": "^7.14.2" } }, - "node_modules/ansi-styles": { - "version": "4.3.0", - "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", - "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", - "dev": true, + "node_modules/@babel/helper-optimise-call-expression": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.12.13.tgz", + "integrity": "sha512-BdWQhoVJkp6nVjB7nkFWcn43dkprYauqtk++Py2eaf/GRDFm5BxRqEIZCiHlZUGAVmtwKcsVL1dC68WmzeFmiA==", "dependencies": { - "color-convert": "^2.0.1" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" + "@babel/types": "^7.12.13" } }, - "node_modules/bottleneck": { - "version": "2.19.5", - "resolved": "https://registry.npmjs.org/bottleneck/-/bottleneck-2.19.5.tgz", - "integrity": "sha512-VHiNCbI1lKdl44tGrhNfU3lup0Tj/ZBMJB5/2ZbNXRCPuRCO7ed2mgcK4r17y+KB2EfuYuRaVlwNbAeaWGSpbw==" + "node_modules/@babel/helper-plugin-utils": { + "version": "7.13.0", + "resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.13.0.tgz", + "integrity": "sha512-ZPafIPSwzUlAoWT8DKs1W2VyF2gOWthGd5NGFMsBcMMol+ZhK+EQY/e6V96poa6PA/Bh+C9plWN0hXO1uB8AfQ==" }, - "node_modules/bufferutil": { - "version": "4.0.3", - "resolved": "https://registry.npmjs.org/bufferutil/-/bufferutil-4.0.3.tgz", - "integrity": "sha512-yEYTwGndELGvfXsImMBLop58eaGW+YdONi1fNjTINSY98tmMmFijBG6WXgdkfuLNt4imzQNtIE+eBp1PVpMCSw==", - "hasInstallScript": true, + "node_modules/@babel/helper-replace-supers": { + "version": "7.14.3", + "resolved": "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.14.3.tgz", + "integrity": "sha512-Rlh8qEWZSTfdz+tgNV/N4gz1a0TMNwCUcENhMjHTHKp3LseYH5Jha0NSlyTQWMnjbYcwFt+bqAMqSLHVXkQ6UA==", "dependencies": { - "node-gyp-build": "^4.2.0" + "@babel/helper-member-expression-to-functions": "^7.13.12", + "@babel/helper-optimise-call-expression": "^7.12.13", + "@babel/traverse": "^7.14.2", + "@babel/types": "^7.14.2" } }, - "node_modules/cacheable-lookup": { - "version": "5.0.4", - "resolved": "https://registry.npmjs.org/cacheable-lookup/-/cacheable-lookup-5.0.4.tgz", - "integrity": "sha512-2/kNscPhpcxrOigMZzbiWF7dz8ilhb/nIHU3EyZiXWXpeq/au8qJ8VhdftMkty3n7Gj6HIGalQG8oiBNB3AJgA==", - "engines": { - "node": ">=10.6.0" + "node_modules/@babel/helper-simple-access": { + "version": "7.13.12", + "resolved": "https://registry.npmjs.org/@babel/helper-simple-access/-/helper-simple-access-7.13.12.tgz", + "integrity": "sha512-7FEjbrx5SL9cWvXioDbnlYTppcZGuCY6ow3/D5vMggb2Ywgu4dMrpTJX0JdQAIcRRUElOIxF3yEooa9gUb9ZbA==", + "dependencies": { + "@babel/types": "^7.13.12" } }, - "node_modules/cacheable-request": { - "version": "7.0.1", - "resolved": "https://registry.npmjs.org/cacheable-request/-/cacheable-request-7.0.1.tgz", - "integrity": "sha512-lt0mJ6YAnsrBErpTMWeu5kl/tg9xMAWjavYTN6VQXM1A/teBITuNcccXsCxF0tDQQJf9DfAaX5O4e0zp0KlfZw==", + "node_modules/@babel/helper-split-export-declaration": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.12.13.tgz", + "integrity": "sha512-tCJDltF83htUtXx5NLcaDqRmknv652ZWCHyoTETf1CXYJdPC7nohZohjUgieXhv0hTJdRf2FjDueFehdNucpzg==", "dependencies": { - "clone-response": "^1.0.2", - "get-stream": "^5.1.0", - "http-cache-semantics": "^4.0.0", - "keyv": "^4.0.0", - "lowercase-keys": "^2.0.0", - "normalize-url": "^4.1.0", - "responselike": "^2.0.0" - }, - "engines": { - "node": ">=8" + "@babel/types": "^7.12.13" } }, - "node_modules/chalk": { - "version": "4.1.0", - "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.0.tgz", - "integrity": "sha512-qwx12AxXe2Q5xQ43Ac//I6v5aXTipYrSESdOgzrN+9XjgEpyjpKuvSGaN4qE93f7TQTlerQQ8S+EQ0EyDoVL1A==", - "dev": true, + "node_modules/@babel/helper-validator-identifier": { + "version": "7.14.0", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.14.0.tgz", + "integrity": "sha512-V3ts7zMSu5lfiwWDVWzRDGIN+lnCEUdaXgtVHJgLb1rGaA6jMrtB9EmE7L18foXJIE8Un/A/h6NJfGQp/e1J4A==" + }, + "node_modules/@babel/helper-validator-option": { + "version": "7.12.17", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.12.17.tgz", + "integrity": "sha512-TopkMDmLzq8ngChwRlyjR6raKD6gMSae4JdYDB8bByKreQgG0RBTuKe9LRxW3wFtUnjxOPRKBDwEH6Mg5KeDfw==" + }, + "node_modules/@babel/helpers": { + "version": "7.14.0", + "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.14.0.tgz", + "integrity": "sha512-+ufuXprtQ1D1iZTO/K9+EBRn+qPWMJjZSw/S0KlFrxCw4tkrzv9grgpDHkY9MeQTjTY8i2sp7Jep8DfU6tN9Mg==", "dependencies": { - "ansi-styles": "^4.1.0", - "supports-color": "^7.1.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/chalk?sponsor=1" + "@babel/template": "^7.12.13", + "@babel/traverse": "^7.14.0", + "@babel/types": "^7.14.0" } }, - "node_modules/clone": { - "version": "2.1.2", - "resolved": "https://registry.npmjs.org/clone/-/clone-2.1.2.tgz", - "integrity": "sha1-G39Ln1kfHo+DZwQBYANFoCiHQ18=", - "engines": { - "node": ">=0.8" + "node_modules/@babel/highlight": { + "version": "7.14.0", + "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.14.0.tgz", + "integrity": "sha512-YSCOwxvTYEIMSGaBQb5kDDsCopDdiUGsqpatp3fOlI4+2HQSkTmEVWnVuySdAC5EWCqSWWTv0ib63RjR7dTBdg==", + "dependencies": { + "@babel/helper-validator-identifier": "^7.14.0", + "chalk": "^2.0.0", + "js-tokens": "^4.0.0" } }, - "node_modules/clone-response": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/clone-response/-/clone-response-1.0.2.tgz", - "integrity": "sha1-0dyXOSAxTfZ/vrlCI7TuNQI56Ws=", + "node_modules/@babel/highlight/node_modules/ansi-styles": { + "version": "3.2.1", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz", + "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==", "dependencies": { - "mimic-response": "^1.0.0" + "color-convert": "^1.9.0" + }, + "engines": { + "node": ">=4" } }, - "node_modules/color-convert": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", - "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", - "dev": true, + "node_modules/@babel/highlight/node_modules/chalk": { + "version": "2.4.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz", + "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==", "dependencies": { - "color-name": "~1.1.4" + "ansi-styles": "^3.2.1", + "escape-string-regexp": "^1.0.5", + "supports-color": "^5.3.0" }, "engines": { - "node": ">=7.0.0" + "node": ">=4" } }, - "node_modules/color-name": { - "version": "1.1.4", - "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", - "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", - "dev": true + "node_modules/@babel/highlight/node_modules/color-convert": { + "version": "1.9.3", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz", + "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==", + "dependencies": { + "color-name": "1.1.3" + } }, - "node_modules/colors": { - "version": "1.4.0", - "resolved": "https://registry.npmjs.org/colors/-/colors-1.4.0.tgz", - "integrity": "sha512-a+UqTh4kgZg/SlGvfbzDHpgRu7AAQOmmqRHJnxhRZICKFUT91brVhNNt58CMWU9PsBbv3PDCZUHbVxuDiH2mtA==", + "node_modules/@babel/highlight/node_modules/color-name": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz", + "integrity": "sha1-p9BVi9icQveV3UIyj3QIMcpTvCU=" + }, + "node_modules/@babel/highlight/node_modules/escape-string-regexp": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ=", "engines": { - "node": ">=0.1.90" + "node": ">=0.8.0" } }, - "node_modules/dateformat": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/dateformat/-/dateformat-3.0.3.tgz", - "integrity": "sha512-jyCETtSl3VMZMWeRo7iY1FL19ges1t55hMo5yaam4Jrsm5EPL89UQkoQRyiI+Yf4k8r2ZpdngkV8hr1lIdjb3Q==", + "node_modules/@babel/highlight/node_modules/has-flag": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", + "integrity": "sha1-tdRU3CGZriJWmfNGfloH87lVuv0=", "engines": { - "node": "*" + "node": ">=4" } }, - "node_modules/debug": { - "version": "4.3.1", - "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.1.tgz", - "integrity": "sha512-doEwdvm4PCeK4K3RQN2ZC2BYUBaxwLARCqZmMjtF8a51J2Rb0xpVloFRnCODwqjpwnAoao4pelN8l3RJdv3gRQ==", + "node_modules/@babel/highlight/node_modules/supports-color": { + "version": "5.5.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", + "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", "dependencies": { - "ms": "2.1.2" + "has-flag": "^3.0.0" }, "engines": { - "node": ">=6.0" + "node": ">=4" + } + }, + "node_modules/@babel/parser": { + "version": "7.14.3", + "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.14.3.tgz", + "integrity": "sha512-7MpZDIfI7sUC5zWo2+foJ50CSI5lcqDehZ0lVgIhSi4bFEk94fLAKlF3Q0nzSQQ+ca0lm+O6G9ztKVBeu8PMRQ==", + "bin": { + "parser": "bin/babel-parser.js" }, - "peerDependenciesMeta": { - "supports-color": { - "optional": true - } + "engines": { + "node": ">=6.0.0" } }, - "node_modules/decompress-response": { - "version": "6.0.0", - "resolved": "https://registry.npmjs.org/decompress-response/-/decompress-response-6.0.0.tgz", - "integrity": "sha512-aW35yZM6Bb/4oJlZncMH2LCoZtJXTRxES17vE3hoRiowU2kWHaJKFkSBDnDR+cm9J+9QhXmREyIfv0pji9ejCQ==", + "node_modules/@babel/plugin-syntax-async-generators": { + "version": "7.8.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz", + "integrity": "sha512-tycmZxkGfZaxhMRbXlPXuVFpdWlXpir2W4AMhSJgRKzk/eDlIXOhb2LHWoLpDF7TEHylV5zNhykX6KAgHJmTNw==", "dependencies": { - "mimic-response": "^3.1.0" + "@babel/helper-plugin-utils": "^7.8.0" }, - "engines": { - "node": ">=10" + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-bigint": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz", + "integrity": "sha512-wnTnFlG+YxQm3vDxpGE57Pj0srRU4sHE/mDkt1qv2YJJSeUAec2ma4WLUnUPeKjyrfntVwe/N6dCXpU+zL3Npg==", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" + "peerDependencies": { + "@babel/core": "^7.0.0-0" } }, - "node_modules/decompress-response/node_modules/mimic-response": { - "version": "3.1.0", - "resolved": "https://registry.npmjs.org/mimic-response/-/mimic-response-3.1.0.tgz", - "integrity": "sha512-z0yWI+4FDrrweS8Zmt4Ej5HdJmky15+L2e6Wgn3+iK5fWzb6T3fhNFq2+MeTRb064c6Wr4N/wv0DzQTjNzHNGQ==", - "engines": { - "node": ">=10" + "node_modules/@babel/plugin-syntax-class-properties": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz", + "integrity": "sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA==", + "dependencies": { + "@babel/helper-plugin-utils": "^7.12.13" }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" + "peerDependencies": { + "@babel/core": "^7.0.0-0" } }, - "node_modules/defer-to-connect": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/defer-to-connect/-/defer-to-connect-2.0.1.tgz", - "integrity": "sha512-4tvttepXG1VaYGrRibk5EwJd1t4udunSOVMdLSAL6mId1ix438oPwPZMALY41FCijukO1L0twNcGsdzS7dHgDg==", - "engines": { - "node": ">=10" + "node_modules/@babel/plugin-syntax-import-meta": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", + "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" } }, - "node_modules/end-of-stream": { - "version": "1.4.4", - "resolved": "https://registry.npmjs.org/end-of-stream/-/end-of-stream-1.4.4.tgz", - "integrity": "sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==", + "node_modules/@babel/plugin-syntax-json-strings": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz", + "integrity": "sha512-lY6kdGpWHvjoe2vk4WrAapEuBR69EMxZl+RoGRhrFGNYVK8mOPAW8VfbT/ZgrFbXlDNiiaxQnAtgVCZ6jv30EA==", "dependencies": { - "once": "^1.4.0" + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" } }, - "node_modules/get-stream": { - "version": "5.2.0", - "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-5.2.0.tgz", - "integrity": "sha512-nBF+F1rAZVCu/p7rjzgA+Yb4lfYXrpl7a6VmJrU8wF9I1CKvP/QwPNZHnOlwbTkY6dvtFIzFMSyQXbLoTQPRpA==", + "node_modules/@babel/plugin-syntax-logical-assignment-operators": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz", + "integrity": "sha512-d8waShlpFDinQ5MtvGU9xDAOzKH47+FFoney2baFIoMr952hKOLp1HR7VszoZvOsV/4+RRszNY7D17ba0te0ig==", "dependencies": { - "pump": "^3.0.0" + "@babel/helper-plugin-utils": "^7.10.4" }, - "engines": { - "node": ">=8" + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-nullish-coalescing-operator": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz", + "integrity": "sha512-aSff4zPII1u2QD7y+F8oDsz19ew4IGEJg9SVW+bqwpwtfFleiQDMdzA/R+UlWDzfnHFCxxleFT0PMIrR36XLNQ==", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" + "peerDependencies": { + "@babel/core": "^7.0.0-0" } }, - "node_modules/got": { - "version": "11.8.2", - "resolved": "https://registry.npmjs.org/got/-/got-11.8.2.tgz", - "integrity": "sha512-D0QywKgIe30ODs+fm8wMZiAcZjypcCodPNuMz5H9Mny7RJ+IjJ10BdmGW7OM7fHXP+O7r6ZwapQ/YQmMSvB0UQ==", + "node_modules/@babel/plugin-syntax-numeric-separator": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz", + "integrity": "sha512-9H6YdfkcK/uOnY/K7/aA2xpzaAgkQn37yzWUMRK7OaPOqOpGS1+n0H5hxT9AUw9EsSjPW8SVyMJwYRtWs3X3ug==", "dependencies": { - "@sindresorhus/is": "^4.0.0", - "@szmarczak/http-timer": "^4.0.5", - "@types/cacheable-request": "^6.0.1", - "@types/responselike": "^1.0.0", - "cacheable-lookup": "^5.0.3", - "cacheable-request": "^7.0.1", - "decompress-response": "^6.0.0", - "http2-wrapper": "^1.0.0-beta.5.2", - "lowercase-keys": "^2.0.0", - "p-cancelable": "^2.0.0", - "responselike": "^2.0.0" + "@babel/helper-plugin-utils": "^7.10.4" }, - "engines": { - "node": ">=10.19.0" + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-object-rest-spread": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz", + "integrity": "sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA==", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" }, - "funding": { - "url": "https://github.com/sindresorhus/got?sponsor=1" + "peerDependencies": { + "@babel/core": "^7.0.0-0" } }, - "node_modules/has-flag": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", - "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", - "dev": true, - "engines": { - "node": ">=8" + "node_modules/@babel/plugin-syntax-optional-catch-binding": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz", + "integrity": "sha512-6VPD0Pc1lpTqw0aKoeRTMiB+kWhAoT24PA+ksWSBrFtl5SIRVpZlwN3NNPQjehA2E/91FV3RjLWoVTglWcSV3Q==", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" } }, - "node_modules/http-cache-semantics": { - "version": "4.1.0", - "resolved": "https://registry.npmjs.org/http-cache-semantics/-/http-cache-semantics-4.1.0.tgz", - "integrity": "sha512-carPklcUh7ROWRK7Cv27RPtdhYhUsela/ue5/jKzjegVvXDqM2ILE9Q2BGn9JZJh1g87cp56su/FgQSzcWS8cQ==" - }, - "node_modules/http2-wrapper": { - "version": "1.0.3", - "resolved": "https://registry.npmjs.org/http2-wrapper/-/http2-wrapper-1.0.3.tgz", - "integrity": "sha512-V+23sDMr12Wnz7iTcDeJr3O6AIxlnvT/bmaAAAP/Xda35C90p9599p0F1eHR/N1KILWSoWVAiOMFjBBXaXSMxg==", + "node_modules/@babel/plugin-syntax-optional-chaining": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz", + "integrity": "sha512-KoK9ErH1MBlCPxV0VANkXW2/dw4vlbGDrFgz8bmUsBGYkFRcbRwMh6cIJubdPrkxRwuGdtCk0v/wPTKbQgBjkg==", "dependencies": { - "quick-lru": "^5.1.1", - "resolve-alpn": "^1.0.0" + "@babel/helper-plugin-utils": "^7.8.0" }, - "engines": { - "node": ">=10.19.0" + "peerDependencies": { + "@babel/core": "^7.0.0-0" } }, - "node_modules/https-proxy-agent": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.0.tgz", - "integrity": "sha512-EkYm5BcKUGiduxzSt3Eppko+PiNWNEpa4ySk9vTC6wDsQJW9rHSa+UhGNJoRYp7bz6Ht1eaRIa6QaJqO5rCFbA==", + "node_modules/@babel/plugin-syntax-top-level-await": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.12.13.tgz", + "integrity": "sha512-A81F9pDwyS7yM//KwbCSDqy3Uj4NMIurtplxphWxoYtNPov7cJsDkAFNNyVlIZ3jwGycVsurZ+LtOA8gZ376iQ==", "dependencies": { - "agent-base": "6", - "debug": "4" + "@babel/helper-plugin-utils": "^7.12.13" }, - "engines": { - "node": ">= 6" + "peerDependencies": { + "@babel/core": "^7.0.0-0" } }, - "node_modules/json-buffer": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/json-buffer/-/json-buffer-3.0.1.tgz", - "integrity": "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==" + "node_modules/@babel/template": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.12.13.tgz", + "integrity": "sha512-/7xxiGA57xMo/P2GVvdEumr8ONhFOhfgq2ihK3h1e6THqzTAkHbkXgB0xI9yeTfIUoH3+oAeHhqm/I43OTbbjA==", + "dependencies": { + "@babel/code-frame": "^7.12.13", + "@babel/parser": "^7.12.13", + "@babel/types": "^7.12.13" + } }, - "node_modules/json5": { - "version": "2.2.0", - "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.0.tgz", - "integrity": "sha512-f+8cldu7X/y7RAJurMEJmdoKXGB/X550w2Nr3tTbezL6RwEE/iMcm+tZnXeoZtKuOq6ft8+CqzEkrIgx1fPoQA==", - "dev": true, + "node_modules/@babel/traverse": { + "version": "7.14.2", + "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.14.2.tgz", + "integrity": "sha512-TsdRgvBFHMyHOOzcP9S6QU0QQtjxlRpEYOy3mcCO5RgmC305ki42aSAmfZEMSSYBla2oZ9BMqYlncBaKmD/7iA==", "dependencies": { - "minimist": "^1.2.5" + "@babel/code-frame": "^7.12.13", + "@babel/generator": "^7.14.2", + "@babel/helper-function-name": "^7.14.2", + "@babel/helper-split-export-declaration": "^7.12.13", + "@babel/parser": "^7.14.2", + "@babel/types": "^7.14.2", + "debug": "^4.1.0", + "globals": "^11.1.0" + } + }, + "node_modules/@babel/types": { + "version": "7.14.2", + "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.14.2.tgz", + "integrity": "sha512-SdjAG/3DikRHpUOjxZgnkbR11xUlyDMUFJdvnIgZEE16mqmY0BINMmc4//JMJglEmn6i7sq6p+mGrFWyZ98EEw==", + "dependencies": { + "@babel/helper-validator-identifier": "^7.14.0", + "to-fast-properties": "^2.0.0" + } + }, + "node_modules/@bcoe/v8-coverage": { + "version": "0.2.3", + "resolved": "https://registry.npmjs.org/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz", + "integrity": "sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw==" + }, + "node_modules/@cnakazawa/watch": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/@cnakazawa/watch/-/watch-1.0.4.tgz", + "integrity": "sha512-v9kIhKwjeZThiWrLmj0y17CWoyddASLj9O2yvbZkbvw/N3rWOYy9zkV66ursAoVr0mV15bL8g0c4QZUE6cdDoQ==", + "dependencies": { + "exec-sh": "^0.3.2", + "minimist": "^1.2.0" }, "bin": { - "json5": "lib/cli.js" + "watch": "cli.js" }, "engines": { - "node": ">=6" + "node": ">=0.1.95" } }, - "node_modules/keyv": { - "version": "4.0.3", - "resolved": "https://registry.npmjs.org/keyv/-/keyv-4.0.3.tgz", - "integrity": "sha512-zdGa2TOpSZPq5mU6iowDARnMBZgtCqJ11dJROFi6tg6kTn4nuUdU09lFyLFSaHrWqpIJ+EBq4E8/Dc0Vx5vLdA==", + "node_modules/@istanbuljs/load-nyc-config": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz", + "integrity": "sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==", "dependencies": { - "json-buffer": "3.0.1" + "camelcase": "^5.3.1", + "find-up": "^4.1.0", + "get-package-type": "^0.1.0", + "js-yaml": "^3.13.1", + "resolve-from": "^5.0.0" + }, + "engines": { + "node": ">=8" } }, - "node_modules/lowercase-keys": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/lowercase-keys/-/lowercase-keys-2.0.0.tgz", - "integrity": "sha512-tqNXrS78oMOE73NMxK4EMLQsQowWf8jKooH9g7xPavRT706R6bkQJ6DY2Te7QukaZsulxa30wQ7bk0pm4XiHmA==", + "node_modules/@istanbuljs/schema": { + "version": "0.1.3", + "resolved": "https://registry.npmjs.org/@istanbuljs/schema/-/schema-0.1.3.tgz", + "integrity": "sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==", "engines": { "node": ">=8" } }, - "node_modules/market-csgo-api": { - "version": "0.4.12", - "resolved": "https://registry.npmjs.org/market-csgo-api/-/market-csgo-api-0.4.12.tgz", - "integrity": "sha512-6ai7dQ5oD+tZ8TVdM5rNLnwP8OgYa5Bg5kqOM2/aKRJwW9c2vjCsgxZ8bgbKwL3abphj7KB64FSVIADVK6F7fg==", + "node_modules/@jest/console": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/console/-/console-26.6.2.tgz", + "integrity": "sha512-IY1R2i2aLsLr7Id3S6p2BA82GNWryt4oSvEXLAKc+L2zdi89dSkE8xC1C+0kpATG4JhBJREnQOH7/zmccM2B0g==", "dependencies": { - "bottleneck": "^2.19.5", - "got": "^11.8.2", - "merge": "^2.1.1", - "papaparse": "^5.3.0" + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "jest-message-util": "^26.6.2", + "jest-util": "^26.6.2", + "slash": "^3.0.0" + }, + "engines": { + "node": ">= 10.14.2" } }, - "node_modules/merge": { - "version": "2.1.1", - "resolved": "https://registry.npmjs.org/merge/-/merge-2.1.1.tgz", - "integrity": "sha512-jz+Cfrg9GWOZbQAnDQ4hlVnQky+341Yk5ru8bZSe6sIDTCIg8n9i/u7hSQGSVOF3C7lH6mGtqjkiT9G4wFLL0w==" - }, - "node_modules/mimic-response": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/mimic-response/-/mimic-response-1.0.1.tgz", - "integrity": "sha512-j5EctnkH7amfV/q5Hgmoal1g2QHFJRraOtmx0JpIqkxhBhI/lJSl1nMpQ45hVarwNETOoWEimndZ4QK0RHxuxQ==", + "node_modules/@jest/core": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/@jest/core/-/core-26.6.3.tgz", + "integrity": "sha512-xvV1kKbhfUqFVuZ8Cyo+JPpipAHHAV3kcDBftiduK8EICXmTFddryy3P7NfZt8Pv37rA9nEJBKCCkglCPt/Xjw==", + "dependencies": { + "@jest/console": "^26.6.2", + "@jest/reporters": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "ansi-escapes": "^4.2.1", + "chalk": "^4.0.0", + "exit": "^0.1.2", + "graceful-fs": "^4.2.4", + "jest-changed-files": "^26.6.2", + "jest-config": "^26.6.3", + "jest-haste-map": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-resolve": "^26.6.2", + "jest-resolve-dependencies": "^26.6.3", + "jest-runner": "^26.6.3", + "jest-runtime": "^26.6.3", + "jest-snapshot": "^26.6.2", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "jest-watcher": "^26.6.2", + "micromatch": "^4.0.2", + "p-each-series": "^2.1.0", + "rimraf": "^3.0.0", + "slash": "^3.0.0", + "strip-ansi": "^6.0.0" + }, "engines": { - "node": ">=4" + "node": ">= 10.14.2" } }, - "node_modules/minimist": { - "version": "1.2.5", - "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.5.tgz", - "integrity": "sha512-FM9nNUYrRBAELZQT3xeZQ7fmMOBg6nWNmJKTcgsJeaLstP/UODVpGsr5OhXhhXg6f+qtJ8uiZ+PUxkDWcgIXLw==", - "dev": true - }, - "node_modules/mkdirp": { - "version": "1.0.4", - "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-1.0.4.tgz", - "integrity": "sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==", - "bin": { - "mkdirp": "bin/cmd.js" + "node_modules/@jest/environment": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-26.6.2.tgz", + "integrity": "sha512-nFy+fHl28zUrRsCeMB61VDThV1pVTtlEokBRgqPrcT1JNq4yRNIyTHfyht6PqtUvY9IsuLGTrbG8kPXjSZIZwA==", + "dependencies": { + "@jest/fake-timers": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "jest-mock": "^26.6.2" }, "engines": { - "node": ">=10" + "node": ">= 10.14.2" } }, - "node_modules/ms": { - "version": "2.1.2", - "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", - "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" - }, - "node_modules/node-cache": { - "version": "5.1.2", - "resolved": "https://registry.npmjs.org/node-cache/-/node-cache-5.1.2.tgz", - "integrity": "sha512-t1QzWwnk4sjLWaQAS8CHgOJ+RAfmHpxFWmc36IWTiWHQfs0w5JDMBS1b1ZxQteo0vVVuWJvIUKHDkkeK7vIGCg==", + "node_modules/@jest/fake-timers": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-26.6.2.tgz", + "integrity": "sha512-14Uleatt7jdzefLPYM3KLcnUl1ZNikaKq34enpb5XG9i81JpppDb5muZvonvKyrl7ftEHkKS5L5/eB/kxJ+bvA==", "dependencies": { - "clone": "2.x" + "@jest/types": "^26.6.2", + "@sinonjs/fake-timers": "^6.0.1", + "@types/node": "*", + "jest-message-util": "^26.6.2", + "jest-mock": "^26.6.2", + "jest-util": "^26.6.2" }, "engines": { - "node": ">= 8.0.0" + "node": ">= 10.14.2" } }, - "node_modules/node-gyp-build": { - "version": "4.2.3", - "resolved": "https://registry.npmjs.org/node-gyp-build/-/node-gyp-build-4.2.3.tgz", - "integrity": "sha512-MN6ZpzmfNCRM+3t57PTJHgHyw/h4OWnZ6mR8P5j/uZtqQr46RRuDE/P+g3n0YR/AiYXeWixZZzaip77gdICfRg==", - "bin": { - "node-gyp-build": "bin.js", - "node-gyp-build-optional": "optional.js", - "node-gyp-build-test": "build-test.js" + "node_modules/@jest/globals": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/globals/-/globals-26.6.2.tgz", + "integrity": "sha512-85Ltnm7HlB/KesBUuALwQ68YTU72w9H2xW9FjZ1eL1U3lhtefjjl5c2MiUbpXt/i6LaPRvoOFJ22yCBSfQ0JIA==", + "dependencies": { + "@jest/environment": "^26.6.2", + "@jest/types": "^26.6.2", + "expect": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" } }, - "node_modules/normalize-url": { - "version": "4.5.0", - "resolved": "https://registry.npmjs.org/normalize-url/-/normalize-url-4.5.0.tgz", - "integrity": "sha512-2s47yzUxdexf1OhyRi4Em83iQk0aPvwTddtFz4hnSSw9dCEsLEGf6SwIO8ss/19S9iBb5sJaOuTvTGDeZI00BQ==", + "node_modules/@jest/reporters": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/reporters/-/reporters-26.6.2.tgz", + "integrity": "sha512-h2bW53APG4HvkOnVMo8q3QXa6pcaNt1HkwVsOPMBV6LD/q9oSpxNSYZQYkAnjdMjrJ86UuYeLo+aEZClV6opnw==", + "dependencies": { + "@bcoe/v8-coverage": "^0.2.3", + "@jest/console": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "collect-v8-coverage": "^1.0.0", + "exit": "^0.1.2", + "glob": "^7.1.2", + "graceful-fs": "^4.2.4", + "istanbul-lib-coverage": "^3.0.0", + "istanbul-lib-instrument": "^4.0.3", + "istanbul-lib-report": "^3.0.0", + "istanbul-lib-source-maps": "^4.0.0", + "istanbul-reports": "^3.0.2", + "jest-haste-map": "^26.6.2", + "jest-resolve": "^26.6.2", + "jest-util": "^26.6.2", + "jest-worker": "^26.6.2", + "slash": "^3.0.0", + "source-map": "^0.6.0", + "string-length": "^4.0.1", + "terminal-link": "^2.0.0", + "v8-to-istanbul": "^7.0.0" + }, "engines": { - "node": ">=8" + "node": ">= 10.14.2" + }, + "optionalDependencies": { + "node-notifier": "^8.0.0" } }, - "node_modules/once": { - "version": "1.4.0", - "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", - "integrity": "sha1-WDsap3WWHUsROsF9nFC6753Xa9E=", + "node_modules/@jest/source-map": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/source-map/-/source-map-26.6.2.tgz", + "integrity": "sha512-YwYcCwAnNmOVsZ8mr3GfnzdXDAl4LaenZP5z+G0c8bzC9/dugL8zRmxZzdoTl4IaS3CryS1uWnROLPFmb6lVvA==", "dependencies": { - "wrappy": "1" + "callsites": "^3.0.0", + "graceful-fs": "^4.2.4", + "source-map": "^0.6.0" + }, + "engines": { + "node": ">= 10.14.2" } }, - "node_modules/p-cancelable": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/p-cancelable/-/p-cancelable-2.1.0.tgz", - "integrity": "sha512-HAZyB3ZodPo+BDpb4/Iu7Jv4P6cSazBz9ZM0ChhEXp70scx834aWCEjQRwgt41UzzejUAPdbqqONfRWTPYrPAQ==", + "node_modules/@jest/test-result": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/test-result/-/test-result-26.6.2.tgz", + "integrity": "sha512-5O7H5c/7YlojphYNrK02LlDIV2GNPYisKwHm2QTKjNZeEzezCbwYs9swJySv2UfPMyZ0VdsmMv7jIlD/IKYQpQ==", + "dependencies": { + "@jest/console": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/istanbul-lib-coverage": "^2.0.0", + "collect-v8-coverage": "^1.0.0" + }, "engines": { - "node": ">=8" + "node": ">= 10.14.2" } }, - "node_modules/papaparse": { - "version": "5.3.0", - "resolved": "https://registry.npmjs.org/papaparse/-/papaparse-5.3.0.tgz", - "integrity": "sha512-Lb7jN/4bTpiuGPrYy4tkKoUS8sTki8zacB5ke1p5zolhcSE4TlWgrlsxjrDTbG/dFVh07ck7X36hUf/b5V68pg==" + "node_modules/@jest/test-sequencer": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-26.6.3.tgz", + "integrity": "sha512-YHlVIjP5nfEyjlrSr8t/YdNfU/1XEt7c5b4OxcXCjyRhjzLYu/rO69/WHPuYcbCWkz8kAeZVZp2N2+IOLLEPGw==", + "dependencies": { + "@jest/test-result": "^26.6.2", + "graceful-fs": "^4.2.4", + "jest-haste-map": "^26.6.2", + "jest-runner": "^26.6.3", + "jest-runtime": "^26.6.3" + }, + "engines": { + "node": ">= 10.14.2" + } }, - "node_modules/prettyjson": { - "version": "1.2.1", - "resolved": "https://registry.npmjs.org/prettyjson/-/prettyjson-1.2.1.tgz", - "integrity": "sha1-/P+rQdGcq0365eV15kJGYZsS0ok=", - "dev": true, + "node_modules/@jest/transform": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/transform/-/transform-26.6.2.tgz", + "integrity": "sha512-E9JjhUgNzvuQ+vVAL21vlyfy12gP0GhazGgJC4h6qUt1jSdUXGWJ1wfu/X7Sd8etSgxV4ovT1pb9v5D6QW4XgA==", "dependencies": { - "colors": "^1.1.2", - "minimist": "^1.2.0" + "@babel/core": "^7.1.0", + "@jest/types": "^26.6.2", + "babel-plugin-istanbul": "^6.0.0", + "chalk": "^4.0.0", + "convert-source-map": "^1.4.0", + "fast-json-stable-stringify": "^2.0.0", + "graceful-fs": "^4.2.4", + "jest-haste-map": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-util": "^26.6.2", + "micromatch": "^4.0.2", + "pirates": "^4.0.1", + "slash": "^3.0.0", + "source-map": "^0.6.1", + "write-file-atomic": "^3.0.0" }, - "bin": { - "prettyjson": "bin/prettyjson" + "engines": { + "node": ">= 10.14.2" } }, - "node_modules/pump": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/pump/-/pump-3.0.0.tgz", - "integrity": "sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==", + "node_modules/@jest/types": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/types/-/types-26.6.2.tgz", + "integrity": "sha512-fC6QCp7Sc5sX6g8Tvbmj4XUTbyrik0akgRy03yjXbQaBWWNWGE7SGtJk98m0N8nzegD/7SggrUlivxo5ax4KWQ==", "dependencies": { - "end-of-stream": "^1.1.0", - "once": "^1.3.1" + "@types/istanbul-lib-coverage": "^2.0.0", + "@types/istanbul-reports": "^3.0.0", + "@types/node": "*", + "@types/yargs": "^15.0.0", + "chalk": "^4.0.0" + }, + "engines": { + "node": ">= 10.14.2" } }, - "node_modules/quick-lru": { - "version": "5.1.1", - "resolved": "https://registry.npmjs.org/quick-lru/-/quick-lru-5.1.1.tgz", - "integrity": "sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==", + "node_modules/@sindresorhus/is": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/@sindresorhus/is/-/is-4.0.0.tgz", + "integrity": "sha512-FyD2meJpDPjyNQejSjvnhpgI/azsQkA4lGbuu5BQZfjvJ9cbRZXzeWL2HceCekW4lixO9JPesIIQkSoLjeJHNQ==", "engines": { "node": ">=10" }, "funding": { - "url": "https://github.com/sponsors/sindresorhus" + "url": "https://github.com/sindresorhus/is?sponsor=1" } }, - "node_modules/resolve-alpn": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/resolve-alpn/-/resolve-alpn-1.0.0.tgz", - "integrity": "sha512-rTuiIEqFmGxne4IovivKSDzld2lWW9QCjqv80SYjPgf+gS35eaCAjaP54CCwGAwBtnCsvNLYtqxe1Nw+i6JEmA==" + "node_modules/@sinonjs/commons": { + "version": "1.8.3", + "resolved": "https://registry.npmjs.org/@sinonjs/commons/-/commons-1.8.3.tgz", + "integrity": "sha512-xkNcLAn/wZaX14RPlwizcKicDk9G3F8m2nU3L7Ukm5zBgTwiT0wsoFAHx9Jq56fJA1z/7uKGtCRu16sOUCLIHQ==", + "dependencies": { + "type-detect": "4.0.8" + } }, - "node_modules/responselike": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/responselike/-/responselike-2.0.0.tgz", - "integrity": "sha512-xH48u3FTB9VsZw7R+vvgaKeLKzT6jOogbQhEe/jewwnZgzPcnyWui2Av6JpoYZF/91uueC+lqhWqeURw5/qhCw==", + "node_modules/@sinonjs/fake-timers": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/@sinonjs/fake-timers/-/fake-timers-6.0.1.tgz", + "integrity": "sha512-MZPUxrmFubI36XS1DI3qmI0YdN1gks62JtFZvxR67ljjSNCeK6U08Zx4msEWOXuofgqUt6zPHSi1H9fbjR/NRA==", "dependencies": { - "lowercase-keys": "^2.0.0" + "@sinonjs/commons": "^1.7.0" } }, - "node_modules/supports-color": { - "version": "7.2.0", - "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", - "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", - "dev": true, + "node_modules/@szmarczak/http-timer": { + "version": "4.0.5", + "resolved": "https://registry.npmjs.org/@szmarczak/http-timer/-/http-timer-4.0.5.tgz", + "integrity": "sha512-PyRA9sm1Yayuj5OIoJ1hGt2YISX45w9WcFbh6ddT0Z/0yaFxOtGLInr4jUfU1EAFVs0Yfyfev4RNwBlUaHdlDQ==", "dependencies": { - "has-flag": "^4.0.0" + "defer-to-connect": "^2.0.0" }, "engines": { - "node": ">=8" + "node": ">=10" } }, - "node_modules/tinytim": { - "version": "0.1.1", - "resolved": "https://registry.npmjs.org/tinytim/-/tinytim-0.1.1.tgz", - "integrity": "sha1-yWih5VWa2VUyJO92J7qzTjyu+Kg=", - "engines": { - "node": ">= 0.2.0" + "node_modules/@types/babel__core": { + "version": "7.1.14", + "resolved": "https://registry.npmjs.org/@types/babel__core/-/babel__core-7.1.14.tgz", + "integrity": "sha512-zGZJzzBUVDo/eV6KgbE0f0ZI7dInEYvo12Rb70uNQDshC3SkRMb67ja0GgRHZgAX3Za6rhaWlvbDO8rrGyAb1g==", + "dependencies": { + "@babel/parser": "^7.1.0", + "@babel/types": "^7.0.0", + "@types/babel__generator": "*", + "@types/babel__template": "*", + "@types/babel__traverse": "*" } }, - "node_modules/tracer": { - "version": "1.1.4", - "resolved": "https://registry.npmjs.org/tracer/-/tracer-1.1.4.tgz", - "integrity": "sha512-43Ws4c/V6VK9i2MLjmeYVtXZ+YUHU/qFXznJqYgI8F5nNrIQ4v9ImBAk+JjfPHS4StlpmaHzgR5qpBydbD9TkA==", + "node_modules/@types/babel__generator": { + "version": "7.6.2", + "resolved": "https://registry.npmjs.org/@types/babel__generator/-/babel__generator-7.6.2.tgz", + "integrity": "sha512-MdSJnBjl+bdwkLskZ3NGFp9YcXGx5ggLpQQPqtgakVhsWK0hTtNYhjpZLlWQTviGTvF8at+Bvli3jV7faPdgeQ==", "dependencies": { - "colors": "1.4.0", - "dateformat": "3.0.3", - "mkdirp": "^1.0.4", - "tinytim": "0.1.1" - }, - "engines": { - "node": ">= 0.10.0" + "@babel/types": "^7.0.0" } }, - "node_modules/tunnel": { - "version": "0.0.6", - "resolved": "https://registry.npmjs.org/tunnel/-/tunnel-0.0.6.tgz", - "integrity": "sha512-1h/Lnq9yajKY2PEbBadPXj3VxsDDu844OnaAo52UVmIzIvwwtBPIuNvkjuzBlTWpfJyUbG3ez0KSBibQkj4ojg==", - "engines": { - "node": ">=0.6.11 <=0.7.0 || >=0.7.3" + "node_modules/@types/babel__template": { + "version": "7.4.0", + "resolved": "https://registry.npmjs.org/@types/babel__template/-/babel__template-7.4.0.tgz", + "integrity": "sha512-NTPErx4/FiPCGScH7foPyr+/1Dkzkni+rHiYHHoTjvwou7AQzJkNeD60A9CXRy+ZEN2B1bggmkTMCDb+Mv5k+A==", + "dependencies": { + "@babel/parser": "^7.1.0", + "@babel/types": "^7.0.0" } }, - "node_modules/wrappy": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", - "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=" + "node_modules/@types/babel__traverse": { + "version": "7.11.1", + "resolved": "https://registry.npmjs.org/@types/babel__traverse/-/babel__traverse-7.11.1.tgz", + "integrity": "sha512-Vs0hm0vPahPMYi9tDjtP66llufgO3ST16WXaSTtDGEl9cewAl3AibmxWw6TINOqHPT9z0uABKAYjT9jNSg4npw==", + "dependencies": { + "@babel/types": "^7.3.0" + } }, - "node_modules/ws": { - "version": "7.4.4", - "resolved": "https://registry.npmjs.org/ws/-/ws-7.4.4.tgz", - "integrity": "sha512-Qm8k8ojNQIMx7S+Zp8u/uHOx7Qazv3Yv4q68MiWWWOJhiwG5W3x7iqmRtJo8xxrciZUY4vRxUTJCKuRnF28ZZw==", - "engines": { - "node": ">=8.3.0" - }, - "peerDependencies": { - "bufferutil": "^4.0.1", - "utf-8-validate": "^5.0.2" - }, - "peerDependenciesMeta": { - "bufferutil": { - "optional": true - }, - "utf-8-validate": { - "optional": true - } - } - } - }, - "dependencies": { - "@sindresorhus/is": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/@sindresorhus/is/-/is-4.0.0.tgz", - "integrity": "sha512-FyD2meJpDPjyNQejSjvnhpgI/azsQkA4lGbuu5BQZfjvJ9cbRZXzeWL2HceCekW4lixO9JPesIIQkSoLjeJHNQ==" - }, - "@szmarczak/http-timer": { - "version": "4.0.5", - "resolved": "https://registry.npmjs.org/@szmarczak/http-timer/-/http-timer-4.0.5.tgz", - "integrity": "sha512-PyRA9sm1Yayuj5OIoJ1hGt2YISX45w9WcFbh6ddT0Z/0yaFxOtGLInr4jUfU1EAFVs0Yfyfev4RNwBlUaHdlDQ==", - "requires": { - "defer-to-connect": "^2.0.0" - } - }, - "@types/cacheable-request": { + "node_modules/@types/cacheable-request": { "version": "6.0.1", "resolved": "https://registry.npmjs.org/@types/cacheable-request/-/cacheable-request-6.0.1.tgz", "integrity": "sha512-ykFq2zmBGOCbpIXtoVbz4SKY5QriWPh3AjyU4G74RYbtt5yOc5OfaY75ftjg7mikMOla1CTGpX3lLbuJh8DTrQ==", - "requires": { + "dependencies": { "@types/http-cache-semantics": "*", "@types/keyv": "*", "@types/node": "*", "@types/responselike": "*" } }, - "@types/http-cache-semantics": { + "node_modules/@types/graceful-fs": { + "version": "4.1.5", + "resolved": "https://registry.npmjs.org/@types/graceful-fs/-/graceful-fs-4.1.5.tgz", + "integrity": "sha512-anKkLmZZ+xm4p8JWBf4hElkM4XR+EZeA2M9BAkkTldmcyDY4mbdIJnRghDJH3Ov5ooY7/UAoENtmdMSkaAd7Cw==", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/http-cache-semantics": { "version": "4.0.0", "resolved": "https://registry.npmjs.org/@types/http-cache-semantics/-/http-cache-semantics-4.0.0.tgz", "integrity": "sha512-c3Xy026kOF7QOTn00hbIllV1dLR9hG9NkSrLQgCVs8NF6sBU+VGWjD3wLPhmh1TYAc7ugCFsvHYMN4VcBN1U1A==" }, - "@types/keyv": { + "node_modules/@types/istanbul-lib-coverage": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.3.tgz", + "integrity": "sha512-sz7iLqvVUg1gIedBOvlkxPlc8/uVzyS5OwGz1cKjXzkl3FpL3al0crU8YGU1WoHkxn0Wxbw5tyi6hvzJKNzFsw==" + }, + "node_modules/@types/istanbul-lib-report": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.0.tgz", + "integrity": "sha512-plGgXAPfVKFoYfa9NpYDAkseG+g6Jr294RqeqcqDixSbU34MZVJRi/P+7Y8GDpzkEwLaGZZOpKIEmeVZNtKsrg==", + "dependencies": { + "@types/istanbul-lib-coverage": "*" + } + }, + "node_modules/@types/istanbul-reports": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/@types/istanbul-reports/-/istanbul-reports-3.0.0.tgz", + "integrity": "sha512-nwKNbvnwJ2/mndE9ItP/zc2TCzw6uuodnF4EHYWD+gCQDVBuRQL5UzbZD0/ezy1iKsFU2ZQiDqg4M9dN4+wZgA==", + "dependencies": { + "@types/istanbul-lib-report": "*" + } + }, + "node_modules/@types/keyv": { "version": "3.1.1", "resolved": "https://registry.npmjs.org/@types/keyv/-/keyv-3.1.1.tgz", "integrity": "sha512-MPtoySlAZQ37VoLaPcTHCu1RWJ4llDkULYZIzOYxlhxBqYPB0RsRlmMU0R6tahtFe27mIdkHV+551ZWV4PLmVw==", - "requires": { + "dependencies": { "@types/node": "*" } }, - "@types/node": { + "node_modules/@types/node": { "version": "14.14.33", "resolved": "https://registry.npmjs.org/@types/node/-/node-14.14.33.tgz", "integrity": "sha512-oJqcTrgPUF29oUP8AsUqbXGJNuPutsetaa9kTQAQce5Lx5dTYWV02ScBiT/k1BX/Z7pKeqedmvp39Wu4zR7N7g==" }, - "@types/responselike": { + "node_modules/@types/normalize-package-data": { + "version": "2.4.0", + "resolved": "https://registry.npmjs.org/@types/normalize-package-data/-/normalize-package-data-2.4.0.tgz", + "integrity": "sha512-f5j5b/Gf71L+dbqxIpQ4Z2WlmI/mPJ0fOkGGmFgtb6sAu97EPczzbS3/tJKxmcYDj55OX6ssqwDAWOHIYDRDGA==" + }, + "node_modules/@types/prettier": { + "version": "2.2.3", + "resolved": "https://registry.npmjs.org/@types/prettier/-/prettier-2.2.3.tgz", + "integrity": "sha512-PijRCG/K3s3w1We6ynUKdxEc5AcuuH3NBmMDP8uvKVp6X43UY7NQlTzczakXP3DJR0F4dfNQIGjU2cUeRYs2AA==" + }, + "node_modules/@types/responselike": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/@types/responselike/-/responselike-1.0.0.tgz", "integrity": "sha512-85Y2BjiufFzaMIlvJDvTTB8Fxl2xfLo4HgmHzVBz08w4wDePCTjYw66PdrolO0kzli3yam/YCgRufyo1DdQVTA==", - "requires": { + "dependencies": { "@types/node": "*" } }, - "agent-base": { + "node_modules/@types/stack-utils": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/@types/stack-utils/-/stack-utils-2.0.0.tgz", + "integrity": "sha512-RJJrrySY7A8havqpGObOB4W92QXKJo63/jFLLgpvOtsGUqbQZ9Sbgl35KMm1DjC6j7AvmmU2bIno+3IyEaemaw==" + }, + "node_modules/@types/yargs": { + "version": "15.0.13", + "resolved": "https://registry.npmjs.org/@types/yargs/-/yargs-15.0.13.tgz", + "integrity": "sha512-kQ5JNTrbDv3Rp5X2n/iUu37IJBDU2gsZ5R/g1/KHOOEc5IKfUFjXT6DENPGduh08I/pamwtEq4oul7gUqKTQDQ==", + "dependencies": { + "@types/yargs-parser": "*" + } + }, + "node_modules/@types/yargs-parser": { + "version": "20.2.0", + "resolved": "https://registry.npmjs.org/@types/yargs-parser/-/yargs-parser-20.2.0.tgz", + "integrity": "sha512-37RSHht+gzzgYeobbG+KWryeAW8J33Nhr69cjTqSYymXVZEN9NbRYWoYlRtDhHKPVT1FyNKwaTPC1NynKZpzRA==" + }, + "node_modules/abab": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/abab/-/abab-2.0.5.tgz", + "integrity": "sha512-9IK9EadsbHo6jLWIpxpR6pL0sazTXV6+SQv25ZB+F7Bj9mJNaOc4nCRabwd5M/JwmUa8idz6Eci6eKfJryPs6Q==" + }, + "node_modules/acorn": { + "version": "8.2.4", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.2.4.tgz", + "integrity": "sha512-Ibt84YwBDDA890eDiDCEqcbwvHlBvzzDkU2cGBBDDI1QWT12jTiXIOn2CIw5KK4i6N5Z2HUxwYjzriDyqaqqZg==", + "bin": { + "acorn": "bin/acorn" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/acorn-globals": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/acorn-globals/-/acorn-globals-6.0.0.tgz", + "integrity": "sha512-ZQl7LOWaF5ePqqcX4hLuv/bLXYQNfNWw2c0/yX/TsPRKamzHcTGQnlCjHT3TsmkOUVEPS3crCxiPfdzE/Trlhg==", + "dependencies": { + "acorn": "^7.1.1", + "acorn-walk": "^7.1.1" + } + }, + "node_modules/acorn-globals/node_modules/acorn": { + "version": "7.4.1", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-7.4.1.tgz", + "integrity": "sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==", + "bin": { + "acorn": "bin/acorn" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/acorn-walk": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-7.2.0.tgz", + "integrity": "sha512-OPdCF6GsMIP+Az+aWfAAOEt2/+iVDKE7oy6lJ098aoe59oAmK76qV6Gw60SbZ8jHuG2wH058GF4pLFbYamYrVA==", + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/agent-base": { "version": "6.0.2", "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-6.0.2.tgz", "integrity": "sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==", - "requires": { + "dependencies": { "debug": "4" + }, + "engines": { + "node": ">= 6.0.0" } }, - "ansi-styles": { + "node_modules/ajv": { + "version": "6.12.6", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", + "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", + "dependencies": { + "fast-deep-equal": "^3.1.1", + "fast-json-stable-stringify": "^2.0.0", + "json-schema-traverse": "^0.4.1", + "uri-js": "^4.2.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/ansi-escapes": { + "version": "4.3.2", + "resolved": "https://registry.npmjs.org/ansi-escapes/-/ansi-escapes-4.3.2.tgz", + "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", + "dependencies": { + "type-fest": "^0.21.3" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/ansi-regex": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.0.tgz", + "integrity": "sha512-bY6fj56OUQ0hU1KjFNDQuJFezqKdrAyFdIevADiqrWHwSlbmBNMHp5ak2f40Pm8JTFyM2mqxkG6ngkHO11f/lg==", + "engines": { + "node": ">=8" + } + }, + "node_modules/ansi-styles": { "version": "4.3.0", "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", - "dev": true, - "requires": { + "dependencies": { "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" } }, - "bottleneck": { - "version": "2.19.5", - "resolved": "https://registry.npmjs.org/bottleneck/-/bottleneck-2.19.5.tgz", - "integrity": "sha512-VHiNCbI1lKdl44tGrhNfU3lup0Tj/ZBMJB5/2ZbNXRCPuRCO7ed2mgcK4r17y+KB2EfuYuRaVlwNbAeaWGSpbw==" + "node_modules/anymatch": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.2.tgz", + "integrity": "sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==", + "dependencies": { + "normalize-path": "^3.0.0", + "picomatch": "^2.0.4" + }, + "engines": { + "node": ">= 8" + } }, - "bufferutil": { - "version": "4.0.3", - "resolved": "https://registry.npmjs.org/bufferutil/-/bufferutil-4.0.3.tgz", - "integrity": "sha512-yEYTwGndELGvfXsImMBLop58eaGW+YdONi1fNjTINSY98tmMmFijBG6WXgdkfuLNt4imzQNtIE+eBp1PVpMCSw==", - "requires": { - "node-gyp-build": "^4.2.0" + "node_modules/argparse": { + "version": "1.0.10", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", + "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", + "dependencies": { + "sprintf-js": "~1.0.2" } }, - "cacheable-lookup": { - "version": "5.0.4", - "resolved": "https://registry.npmjs.org/cacheable-lookup/-/cacheable-lookup-5.0.4.tgz", - "integrity": "sha512-2/kNscPhpcxrOigMZzbiWF7dz8ilhb/nIHU3EyZiXWXpeq/au8qJ8VhdftMkty3n7Gj6HIGalQG8oiBNB3AJgA==" + "node_modules/arr-diff": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/arr-diff/-/arr-diff-4.0.0.tgz", + "integrity": "sha1-1kYQdP6/7HHn4VI1dhoyml3HxSA=", + "engines": { + "node": ">=0.10.0" + } }, - "cacheable-request": { - "version": "7.0.1", - "resolved": "https://registry.npmjs.org/cacheable-request/-/cacheable-request-7.0.1.tgz", - "integrity": "sha512-lt0mJ6YAnsrBErpTMWeu5kl/tg9xMAWjavYTN6VQXM1A/teBITuNcccXsCxF0tDQQJf9DfAaX5O4e0zp0KlfZw==", - "requires": { - "clone-response": "^1.0.2", - "get-stream": "^5.1.0", - "http-cache-semantics": "^4.0.0", - "keyv": "^4.0.0", - "lowercase-keys": "^2.0.0", - "normalize-url": "^4.1.0", - "responselike": "^2.0.0" + "node_modules/arr-flatten": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/arr-flatten/-/arr-flatten-1.1.0.tgz", + "integrity": "sha512-L3hKV5R/p5o81R7O02IGnwpDmkp6E982XhtbuwSe3O4qOtMMMtodicASA1Cny2U+aCXcNpml+m4dPsvsJ3jatg==", + "engines": { + "node": ">=0.10.0" } }, - "chalk": { - "version": "4.1.0", - "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.0.tgz", - "integrity": "sha512-qwx12AxXe2Q5xQ43Ac//I6v5aXTipYrSESdOgzrN+9XjgEpyjpKuvSGaN4qE93f7TQTlerQQ8S+EQ0EyDoVL1A==", - "dev": true, - "requires": { - "ansi-styles": "^4.1.0", - "supports-color": "^7.1.0" + "node_modules/arr-union": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/arr-union/-/arr-union-3.1.0.tgz", + "integrity": "sha1-45sJrqne+Gao8gbiiK9jkZuuOcQ=", + "engines": { + "node": ">=0.10.0" } }, - "clone": { - "version": "2.1.2", - "resolved": "https://registry.npmjs.org/clone/-/clone-2.1.2.tgz", - "integrity": "sha1-G39Ln1kfHo+DZwQBYANFoCiHQ18=" + "node_modules/array-unique": { + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/array-unique/-/array-unique-0.3.2.tgz", + "integrity": "sha1-qJS3XUvE9s1nnvMkSp/Y9Gri1Cg=", + "engines": { + "node": ">=0.10.0" + } }, - "clone-response": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/clone-response/-/clone-response-1.0.2.tgz", - "integrity": "sha1-0dyXOSAxTfZ/vrlCI7TuNQI56Ws=", - "requires": { - "mimic-response": "^1.0.0" + "node_modules/asn1": { + "version": "0.2.4", + "resolved": "https://registry.npmjs.org/asn1/-/asn1-0.2.4.tgz", + "integrity": "sha512-jxwzQpLQjSmWXgwaCZE9Nz+glAG01yF1QnWgbhGwHI5A6FRIEY6IVqtHhIepHqI7/kyEyQEagBC5mBEFlIYvdg==", + "dependencies": { + "safer-buffer": "~2.1.0" } }, - "color-convert": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", - "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", - "dev": true, - "requires": { - "color-name": "~1.1.4" + "node_modules/assert-plus": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/assert-plus/-/assert-plus-1.0.0.tgz", + "integrity": "sha1-8S4PPF13sLHN2RRpQuTpbB5N1SU=", + "engines": { + "node": ">=0.8" } }, - "color-name": { - "version": "1.1.4", - "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", - "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", - "dev": true + "node_modules/assign-symbols": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/assign-symbols/-/assign-symbols-1.0.0.tgz", + "integrity": "sha1-WWZ/QfrdTyDMvCu5a41Pf3jsA2c=", + "engines": { + "node": ">=0.10.0" + } }, - "colors": { - "version": "1.4.0", - "resolved": "https://registry.npmjs.org/colors/-/colors-1.4.0.tgz", - "integrity": "sha512-a+UqTh4kgZg/SlGvfbzDHpgRu7AAQOmmqRHJnxhRZICKFUT91brVhNNt58CMWU9PsBbv3PDCZUHbVxuDiH2mtA==" + "node_modules/asynckit": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha1-x57Zf380y48robyXkLzDZkdLS3k=" }, - "dateformat": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/dateformat/-/dateformat-3.0.3.tgz", - "integrity": "sha512-jyCETtSl3VMZMWeRo7iY1FL19ges1t55hMo5yaam4Jrsm5EPL89UQkoQRyiI+Yf4k8r2ZpdngkV8hr1lIdjb3Q==" + "node_modules/atob": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/atob/-/atob-2.1.2.tgz", + "integrity": "sha512-Wm6ukoaOGJi/73p/cl2GvLjTI5JM1k/O14isD73YML8StrH/7/lRFgmg8nICZgD3bZZvjwCGxtMOD3wWNAu8cg==", + "bin": { + "atob": "bin/atob.js" + }, + "engines": { + "node": ">= 4.5.0" + } }, - "debug": { - "version": "4.3.1", - "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.1.tgz", - "integrity": "sha512-doEwdvm4PCeK4K3RQN2ZC2BYUBaxwLARCqZmMjtF8a51J2Rb0xpVloFRnCODwqjpwnAoao4pelN8l3RJdv3gRQ==", - "requires": { - "ms": "2.1.2" + "node_modules/aws-sign2": { + "version": "0.7.0", + "resolved": "https://registry.npmjs.org/aws-sign2/-/aws-sign2-0.7.0.tgz", + "integrity": "sha1-tG6JCTSpWR8tL2+G1+ap8bP+dqg=", + "engines": { + "node": "*" } }, - "decompress-response": { - "version": "6.0.0", - "resolved": "https://registry.npmjs.org/decompress-response/-/decompress-response-6.0.0.tgz", - "integrity": "sha512-aW35yZM6Bb/4oJlZncMH2LCoZtJXTRxES17vE3hoRiowU2kWHaJKFkSBDnDR+cm9J+9QhXmREyIfv0pji9ejCQ==", - "requires": { - "mimic-response": "^3.1.0" - }, + "node_modules/aws4": { + "version": "1.11.0", + "resolved": "https://registry.npmjs.org/aws4/-/aws4-1.11.0.tgz", + "integrity": "sha512-xh1Rl34h6Fi1DC2WWKfxUTVqRsNnr6LsKz2+hfwDxQJWmrx8+c7ylaqBMcHfl1U1r2dsifOvKX3LQuLNZ+XSvA==" + }, + "node_modules/babel-jest": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/babel-jest/-/babel-jest-26.6.3.tgz", + "integrity": "sha512-pl4Q+GAVOHwvjrck6jKjvmGhnO3jHX/xuB9d27f+EJZ/6k+6nMuPjorrYp7s++bKKdANwzElBWnLWaObvTnaZA==", "dependencies": { - "mimic-response": { - "version": "3.1.0", - "resolved": "https://registry.npmjs.org/mimic-response/-/mimic-response-3.1.0.tgz", - "integrity": "sha512-z0yWI+4FDrrweS8Zmt4Ej5HdJmky15+L2e6Wgn3+iK5fWzb6T3fhNFq2+MeTRb064c6Wr4N/wv0DzQTjNzHNGQ==" - } + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/babel__core": "^7.1.7", + "babel-plugin-istanbul": "^6.0.0", + "babel-preset-jest": "^26.6.2", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "slash": "^3.0.0" + }, + "engines": { + "node": ">= 10.14.2" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" } }, - "defer-to-connect": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/defer-to-connect/-/defer-to-connect-2.0.1.tgz", - "integrity": "sha512-4tvttepXG1VaYGrRibk5EwJd1t4udunSOVMdLSAL6mId1ix438oPwPZMALY41FCijukO1L0twNcGsdzS7dHgDg==" + "node_modules/babel-plugin-istanbul": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/babel-plugin-istanbul/-/babel-plugin-istanbul-6.0.0.tgz", + "integrity": "sha512-AF55rZXpe7trmEylbaE1Gv54wn6rwU03aptvRoVIGP8YykoSxqdVLV1TfwflBCE/QtHmqtP8SWlTENqbK8GCSQ==", + "dependencies": { + "@babel/helper-plugin-utils": "^7.0.0", + "@istanbuljs/load-nyc-config": "^1.0.0", + "@istanbuljs/schema": "^0.1.2", + "istanbul-lib-instrument": "^4.0.0", + "test-exclude": "^6.0.0" + }, + "engines": { + "node": ">=8" + } }, - "end-of-stream": { - "version": "1.4.4", - "resolved": "https://registry.npmjs.org/end-of-stream/-/end-of-stream-1.4.4.tgz", - "integrity": "sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==", - "requires": { - "once": "^1.4.0" + "node_modules/babel-plugin-jest-hoist": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-26.6.2.tgz", + "integrity": "sha512-PO9t0697lNTmcEHH69mdtYiOIkkOlj9fySqfO3K1eCcdISevLAE0xY59VLLUj0SoiPiTX/JU2CYFpILydUa5Lw==", + "dependencies": { + "@babel/template": "^7.3.3", + "@babel/types": "^7.3.3", + "@types/babel__core": "^7.0.0", + "@types/babel__traverse": "^7.0.6" + }, + "engines": { + "node": ">= 10.14.2" } }, - "get-stream": { - "version": "5.2.0", - "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-5.2.0.tgz", - "integrity": "sha512-nBF+F1rAZVCu/p7rjzgA+Yb4lfYXrpl7a6VmJrU8wF9I1CKvP/QwPNZHnOlwbTkY6dvtFIzFMSyQXbLoTQPRpA==", - "requires": { - "pump": "^3.0.0" + "node_modules/babel-preset-current-node-syntax": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/babel-preset-current-node-syntax/-/babel-preset-current-node-syntax-1.0.1.tgz", + "integrity": "sha512-M7LQ0bxarkxQoN+vz5aJPsLBn77n8QgTFmo8WK0/44auK2xlCXrYcUxHFxgU7qW5Yzw/CjmLRK2uJzaCd7LvqQ==", + "dependencies": { + "@babel/plugin-syntax-async-generators": "^7.8.4", + "@babel/plugin-syntax-bigint": "^7.8.3", + "@babel/plugin-syntax-class-properties": "^7.8.3", + "@babel/plugin-syntax-import-meta": "^7.8.3", + "@babel/plugin-syntax-json-strings": "^7.8.3", + "@babel/plugin-syntax-logical-assignment-operators": "^7.8.3", + "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3", + "@babel/plugin-syntax-numeric-separator": "^7.8.3", + "@babel/plugin-syntax-object-rest-spread": "^7.8.3", + "@babel/plugin-syntax-optional-catch-binding": "^7.8.3", + "@babel/plugin-syntax-optional-chaining": "^7.8.3", + "@babel/plugin-syntax-top-level-await": "^7.8.3" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" } }, + "node_modules/babel-preset-jest": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/babel-preset-jest/-/babel-preset-jest-26.6.2.tgz", + "integrity": "sha512-YvdtlVm9t3k777c5NPQIv6cxFFFapys25HiUmuSgHwIZhfifweR5c5Sf5nwE3MAbfu327CYSvps8Yx6ANLyleQ==", + "dependencies": { + "babel-plugin-jest-hoist": "^26.6.2", + "babel-preset-current-node-syntax": "^1.0.0" + }, + "engines": { + "node": ">= 10.14.2" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/balanced-match": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==" + }, + "node_modules/base": { + "version": "0.11.2", + "resolved": "https://registry.npmjs.org/base/-/base-0.11.2.tgz", + "integrity": "sha512-5T6P4xPgpp0YDFvSWwEZ4NoE3aM4QBQXDzmVbraCkFj8zHM+mba8SyqB5DbZWyR7mYHo6Y7BdQo3MoA4m0TeQg==", + "dependencies": { + "cache-base": "^1.0.1", + "class-utils": "^0.3.5", + "component-emitter": "^1.2.1", + "define-property": "^1.0.0", + "isobject": "^3.0.1", + "mixin-deep": "^1.2.0", + "pascalcase": "^0.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/base/node_modules/define-property": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-1.0.0.tgz", + "integrity": "sha1-dp66rz9KY6rTr56NMEybvnm/sOY=", + "dependencies": { + "is-descriptor": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/bcrypt-pbkdf": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.2.tgz", + "integrity": "sha1-pDAdOJtqQ/m2f/PKEaP2Y342Dp4=", + "dependencies": { + "tweetnacl": "^0.14.3" + } + }, + "node_modules/bottleneck": { + "version": "2.19.5", + "resolved": "https://registry.npmjs.org/bottleneck/-/bottleneck-2.19.5.tgz", + "integrity": "sha512-VHiNCbI1lKdl44tGrhNfU3lup0Tj/ZBMJB5/2ZbNXRCPuRCO7ed2mgcK4r17y+KB2EfuYuRaVlwNbAeaWGSpbw==" + }, + "node_modules/brace-expansion": { + "version": "1.1.11", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", + "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "dependencies": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "node_modules/braces": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz", + "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==", + "dependencies": { + "fill-range": "^7.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/browser-process-hrtime": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/browser-process-hrtime/-/browser-process-hrtime-1.0.0.tgz", + "integrity": "sha512-9o5UecI3GhkpM6DrXr69PblIuWxPKk9Y0jHBRhdocZ2y7YECBFCsHm79Pr3OyR2AvjhDkabFJaDJMYRazHgsow==" + }, + "node_modules/browserslist": { + "version": "4.16.6", + "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.16.6.tgz", + "integrity": "sha512-Wspk/PqO+4W9qp5iUTJsa1B/QrYn1keNCcEP5OvP7WBwT4KaDly0uONYmC6Xa3Z5IqnUgS0KcgLYu1l74x0ZXQ==", + "dependencies": { + "caniuse-lite": "^1.0.30001219", + "colorette": "^1.2.2", + "electron-to-chromium": "^1.3.723", + "escalade": "^3.1.1", + "node-releases": "^1.1.71" + }, + "bin": { + "browserslist": "cli.js" + }, + "engines": { + "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + } + }, + "node_modules/bser": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/bser/-/bser-2.1.1.tgz", + "integrity": "sha512-gQxTNE/GAfIIrmHLUE3oJyp5FO6HRBfhjnw4/wMmA63ZGDJnWBmgY/lyQBpnDUkGmAhbSe39tx2d/iTOAfglwQ==", + "dependencies": { + "node-int64": "^0.4.0" + } + }, + "node_modules/buffer-from": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.1.tgz", + "integrity": "sha512-MQcXEUbCKtEo7bhqEs6560Hyd4XaovZlO/k9V3hjVUF/zwW7KBVdSK4gIt/bzwS9MbR5qob+F5jusZsb0YQK2A==" + }, + "node_modules/bufferutil": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/bufferutil/-/bufferutil-4.0.3.tgz", + "integrity": "sha512-yEYTwGndELGvfXsImMBLop58eaGW+YdONi1fNjTINSY98tmMmFijBG6WXgdkfuLNt4imzQNtIE+eBp1PVpMCSw==", + "hasInstallScript": true, + "dependencies": { + "node-gyp-build": "^4.2.0" + } + }, + "node_modules/cache-base": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/cache-base/-/cache-base-1.0.1.tgz", + "integrity": "sha512-AKcdTnFSWATd5/GCPRxr2ChwIJ85CeyrEyjRHlKxQ56d4XJMGym0uAiKn0xbLOGOl3+yRpOTi484dVCEc5AUzQ==", + "dependencies": { + "collection-visit": "^1.0.0", + "component-emitter": "^1.2.1", + "get-value": "^2.0.6", + "has-value": "^1.0.0", + "isobject": "^3.0.1", + "set-value": "^2.0.0", + "to-object-path": "^0.3.0", + "union-value": "^1.0.0", + "unset-value": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/cacheable-lookup": { + "version": "5.0.4", + "resolved": "https://registry.npmjs.org/cacheable-lookup/-/cacheable-lookup-5.0.4.tgz", + "integrity": "sha512-2/kNscPhpcxrOigMZzbiWF7dz8ilhb/nIHU3EyZiXWXpeq/au8qJ8VhdftMkty3n7Gj6HIGalQG8oiBNB3AJgA==", + "engines": { + "node": ">=10.6.0" + } + }, + "node_modules/cacheable-request": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/cacheable-request/-/cacheable-request-7.0.1.tgz", + "integrity": "sha512-lt0mJ6YAnsrBErpTMWeu5kl/tg9xMAWjavYTN6VQXM1A/teBITuNcccXsCxF0tDQQJf9DfAaX5O4e0zp0KlfZw==", + "dependencies": { + "clone-response": "^1.0.2", + "get-stream": "^5.1.0", + "http-cache-semantics": "^4.0.0", + "keyv": "^4.0.0", + "lowercase-keys": "^2.0.0", + "normalize-url": "^4.1.0", + "responselike": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/callsites": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", + "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", + "engines": { + "node": ">=6" + } + }, + "node_modules/camelcase": { + "version": "5.3.1", + "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-5.3.1.tgz", + "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==", + "engines": { + "node": ">=6" + } + }, + "node_modules/caniuse-lite": { + "version": "1.0.30001228", + "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001228.tgz", + "integrity": "sha512-QQmLOGJ3DEgokHbMSA8cj2a+geXqmnpyOFT0lhQV6P3/YOJvGDEwoedcwxEQ30gJIwIIunHIicunJ2rzK5gB2A==", + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + } + }, + "node_modules/capture-exit": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/capture-exit/-/capture-exit-2.0.0.tgz", + "integrity": "sha512-PiT/hQmTonHhl/HFGN+Lx3JJUznrVYJ3+AQsnthneZbvW7x+f08Tk7yLJTLEOUvBTbduLeeBkxEaYXUOUrRq6g==", + "dependencies": { + "rsvp": "^4.8.4" + }, + "engines": { + "node": "6.* || 8.* || >= 10.*" + } + }, + "node_modules/caseless": { + "version": "0.12.0", + "resolved": "https://registry.npmjs.org/caseless/-/caseless-0.12.0.tgz", + "integrity": "sha1-G2gcIf+EAzyCZUMJBolCDRhxUdw=" + }, + "node_modules/chalk": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.0.tgz", + "integrity": "sha512-qwx12AxXe2Q5xQ43Ac//I6v5aXTipYrSESdOgzrN+9XjgEpyjpKuvSGaN4qE93f7TQTlerQQ8S+EQ0EyDoVL1A==", + "dependencies": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/chalk?sponsor=1" + } + }, + "node_modules/char-regex": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/char-regex/-/char-regex-1.0.2.tgz", + "integrity": "sha512-kWWXztvZ5SBQV+eRgKFeh8q5sLuZY2+8WUIzlxWVTg+oGwY14qylx1KbKzHd8P6ZYkAg0xyIDU9JMHhyJMZ1jw==", + "engines": { + "node": ">=10" + } + }, + "node_modules/ci-info": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ci-info/-/ci-info-2.0.0.tgz", + "integrity": "sha512-5tK7EtrZ0N+OLFMthtqOj4fI2Jeb88C4CAZPu25LDVUgXJ0A3Js4PMGqrn0JU1W0Mh1/Z8wZzYPxqUrXeBboCQ==" + }, + "node_modules/cjs-module-lexer": { + "version": "0.6.0", + "resolved": "https://registry.npmjs.org/cjs-module-lexer/-/cjs-module-lexer-0.6.0.tgz", + "integrity": "sha512-uc2Vix1frTfnuzxxu1Hp4ktSvM3QaI4oXl4ZUqL1wjTu/BGki9TrCWoqLTg/drR1KwAEarXuRFCG2Svr1GxPFw==" + }, + "node_modules/class-utils": { + "version": "0.3.6", + "resolved": "https://registry.npmjs.org/class-utils/-/class-utils-0.3.6.tgz", + "integrity": "sha512-qOhPa/Fj7s6TY8H8esGu5QNpMMQxz79h+urzrNYN6mn+9BnxlDGf5QZ+XeCDsxSjPqsSR56XOZOJmpeurnLMeg==", + "dependencies": { + "arr-union": "^3.1.0", + "define-property": "^0.2.5", + "isobject": "^3.0.0", + "static-extend": "^0.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/class-utils/node_modules/define-property": { + "version": "0.2.5", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY=", + "dependencies": { + "is-descriptor": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/class-utils/node_modules/is-accessor-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz", + "integrity": "sha1-qeEss66Nh2cn7u84Q/igiXtcmNY=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/class-utils/node_modules/is-accessor-descriptor/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/class-utils/node_modules/is-data-descriptor": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz", + "integrity": "sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/class-utils/node_modules/is-data-descriptor/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/class-utils/node_modules/is-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-0.1.6.tgz", + "integrity": "sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg==", + "dependencies": { + "is-accessor-descriptor": "^0.1.6", + "is-data-descriptor": "^0.1.4", + "kind-of": "^5.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/class-utils/node_modules/kind-of": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/cliui": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/cliui/-/cliui-6.0.0.tgz", + "integrity": "sha512-t6wbgtoCXvAzst7QgXxJYqPt0usEfbgQdftEPbLL/cvv6HPE5VgvqCuAIDR0NgU52ds6rFwqrgakNLrHEjCbrQ==", + "dependencies": { + "string-width": "^4.2.0", + "strip-ansi": "^6.0.0", + "wrap-ansi": "^6.2.0" + } + }, + "node_modules/clone": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/clone/-/clone-2.1.2.tgz", + "integrity": "sha1-G39Ln1kfHo+DZwQBYANFoCiHQ18=", + "engines": { + "node": ">=0.8" + } + }, + "node_modules/clone-response": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/clone-response/-/clone-response-1.0.2.tgz", + "integrity": "sha1-0dyXOSAxTfZ/vrlCI7TuNQI56Ws=", + "dependencies": { + "mimic-response": "^1.0.0" + } + }, + "node_modules/co": { + "version": "4.6.0", + "resolved": "https://registry.npmjs.org/co/-/co-4.6.0.tgz", + "integrity": "sha1-bqa989hTrlTMuOR7+gvz+QMfsYQ=", + "engines": { + "iojs": ">= 1.0.0", + "node": ">= 0.12.0" + } + }, + "node_modules/collect-v8-coverage": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/collect-v8-coverage/-/collect-v8-coverage-1.0.1.tgz", + "integrity": "sha512-iBPtljfCNcTKNAto0KEtDfZ3qzjJvqE3aTGZsbhjSBlorqpXJlaWWtPO35D+ZImoC3KWejX64o+yPGxhWSTzfg==" + }, + "node_modules/collection-visit": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/collection-visit/-/collection-visit-1.0.0.tgz", + "integrity": "sha1-S8A3PBZLwykbTTaMgpzxqApZ3KA=", + "dependencies": { + "map-visit": "^1.0.0", + "object-visit": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "dependencies": { + "color-name": "~1.1.4" + }, + "engines": { + "node": ">=7.0.0" + } + }, + "node_modules/color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==" + }, + "node_modules/colorette": { + "version": "1.2.2", + "resolved": "https://registry.npmjs.org/colorette/-/colorette-1.2.2.tgz", + "integrity": "sha512-MKGMzyfeuutC/ZJ1cba9NqcNpfeqMUcYmyF1ZFY6/Cn7CNSAKx6a+s48sqLqyAiZuaP2TcqMhoo+dlwFnVxT9w==" + }, + "node_modules/colors": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/colors/-/colors-1.4.0.tgz", + "integrity": "sha512-a+UqTh4kgZg/SlGvfbzDHpgRu7AAQOmmqRHJnxhRZICKFUT91brVhNNt58CMWU9PsBbv3PDCZUHbVxuDiH2mtA==", + "engines": { + "node": ">=0.1.90" + } + }, + "node_modules/combined-stream": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "dependencies": { + "delayed-stream": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/component-emitter": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/component-emitter/-/component-emitter-1.3.0.tgz", + "integrity": "sha512-Rd3se6QB+sO1TwqZjscQrurpEPIfO0/yYnSin6Q/rD3mOutHvUrCAhJub3r90uNb+SESBuE0QYoB90YdfatsRg==" + }, + "node_modules/concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha1-2Klr13/Wjfd5OnMDajug1UBdR3s=" + }, + "node_modules/convert-source-map": { + "version": "1.7.0", + "resolved": "https://registry.npmjs.org/convert-source-map/-/convert-source-map-1.7.0.tgz", + "integrity": "sha512-4FJkXzKXEDB1snCFZlLP4gpC3JILicCpGbzG9f9G7tGqGCzETQ2hWPrcinA9oU4wtf2biUaEH5065UnMeR33oA==", + "dependencies": { + "safe-buffer": "~5.1.1" + } + }, + "node_modules/copy-descriptor": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/copy-descriptor/-/copy-descriptor-0.1.1.tgz", + "integrity": "sha1-Z29us8OZl8LuGsOpJP1hJHSPV40=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/core-util-is": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/core-util-is/-/core-util-is-1.0.2.tgz", + "integrity": "sha1-tf1UIgqivFq1eqtxQMlAdUUDwac=" + }, + "node_modules/cross-spawn": { + "version": "7.0.3", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", + "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/cssom": { + "version": "0.4.4", + "resolved": "https://registry.npmjs.org/cssom/-/cssom-0.4.4.tgz", + "integrity": "sha512-p3pvU7r1MyyqbTk+WbNJIgJjG2VmTIaB10rI93LzVPrmDJKkzKYMtxxyAvQXR/NS6otuzveI7+7BBq3SjBS2mw==" + }, + "node_modules/cssstyle": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/cssstyle/-/cssstyle-2.3.0.tgz", + "integrity": "sha512-AZL67abkUzIuvcHqk7c09cezpGNcxUxU4Ioi/05xHk4DQeTkWmGYftIE6ctU6AEt+Gn4n1lDStOtj7FKycP71A==", + "dependencies": { + "cssom": "~0.3.6" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/cssstyle/node_modules/cssom": { + "version": "0.3.8", + "resolved": "https://registry.npmjs.org/cssom/-/cssom-0.3.8.tgz", + "integrity": "sha512-b0tGHbfegbhPJpxpiBPU2sCkigAqtM9O121le6bbOlgyV+NyGyCmVfJ6QW9eRjz8CpNfWEOYBIMIGRYkLwsIYg==" + }, + "node_modules/dashdash": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/dashdash/-/dashdash-1.14.1.tgz", + "integrity": "sha1-hTz6D3y+L+1d4gMmuN1YEDX24vA=", + "dependencies": { + "assert-plus": "^1.0.0" + }, + "engines": { + "node": ">=0.10" + } + }, + "node_modules/data-urls": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/data-urls/-/data-urls-2.0.0.tgz", + "integrity": "sha512-X5eWTSXO/BJmpdIKCRuKUgSCgAN0OwliVK3yPKbwIWU1Tdw5BRajxlzMidvh+gwko9AfQ9zIj52pzF91Q3YAvQ==", + "dependencies": { + "abab": "^2.0.3", + "whatwg-mimetype": "^2.3.0", + "whatwg-url": "^8.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/dateformat": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/dateformat/-/dateformat-3.0.3.tgz", + "integrity": "sha512-jyCETtSl3VMZMWeRo7iY1FL19ges1t55hMo5yaam4Jrsm5EPL89UQkoQRyiI+Yf4k8r2ZpdngkV8hr1lIdjb3Q==", + "engines": { + "node": "*" + } + }, + "node_modules/debug": { + "version": "4.3.1", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.1.tgz", + "integrity": "sha512-doEwdvm4PCeK4K3RQN2ZC2BYUBaxwLARCqZmMjtF8a51J2Rb0xpVloFRnCODwqjpwnAoao4pelN8l3RJdv3gRQ==", + "dependencies": { + "ms": "2.1.2" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/decamelize": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/decamelize/-/decamelize-1.2.0.tgz", + "integrity": "sha1-9lNNFRSCabIDUue+4m9QH5oZEpA=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/decimal.js": { + "version": "10.2.1", + "resolved": "https://registry.npmjs.org/decimal.js/-/decimal.js-10.2.1.tgz", + "integrity": "sha512-KaL7+6Fw6i5A2XSnsbhm/6B+NuEA7TZ4vqxnd5tXz9sbKtrN9Srj8ab4vKVdK8YAqZO9P1kg45Y6YLoduPf+kw==" + }, + "node_modules/decode-uri-component": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/decode-uri-component/-/decode-uri-component-0.2.0.tgz", + "integrity": "sha1-6zkTMzRYd1y4TNGh+uBiEGu4dUU=", + "engines": { + "node": ">=0.10" + } + }, + "node_modules/decompress-response": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/decompress-response/-/decompress-response-6.0.0.tgz", + "integrity": "sha512-aW35yZM6Bb/4oJlZncMH2LCoZtJXTRxES17vE3hoRiowU2kWHaJKFkSBDnDR+cm9J+9QhXmREyIfv0pji9ejCQ==", + "dependencies": { + "mimic-response": "^3.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/decompress-response/node_modules/mimic-response": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/mimic-response/-/mimic-response-3.1.0.tgz", + "integrity": "sha512-z0yWI+4FDrrweS8Zmt4Ej5HdJmky15+L2e6Wgn3+iK5fWzb6T3fhNFq2+MeTRb064c6Wr4N/wv0DzQTjNzHNGQ==", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/deep-is": { + "version": "0.1.3", + "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.3.tgz", + "integrity": "sha1-s2nW+128E+7PUk+RsHD+7cNXzzQ=" + }, + "node_modules/deepmerge": { + "version": "4.2.2", + "resolved": "https://registry.npmjs.org/deepmerge/-/deepmerge-4.2.2.tgz", + "integrity": "sha512-FJ3UgI4gIl+PHZm53knsuSFpE+nESMr7M4v9QcgB7S63Kj/6WqMiFQJpBBYz1Pt+66bZpP3Q7Lye0Oo9MPKEdg==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/defer-to-connect": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/defer-to-connect/-/defer-to-connect-2.0.1.tgz", + "integrity": "sha512-4tvttepXG1VaYGrRibk5EwJd1t4udunSOVMdLSAL6mId1ix438oPwPZMALY41FCijukO1L0twNcGsdzS7dHgDg==", + "engines": { + "node": ">=10" + } + }, + "node_modules/define-property": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-2.0.2.tgz", + "integrity": "sha512-jwK2UV4cnPpbcG7+VRARKTZPUWowwXA8bzH5NP6ud0oeAxyYPuGZUAC7hMugpCdz4BeSZl2Dl9k66CHJ/46ZYQ==", + "dependencies": { + "is-descriptor": "^1.0.2", + "isobject": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/delayed-stream": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha1-3zrhmayt+31ECqrgsp4icrJOxhk=", + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/detect-newline": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/detect-newline/-/detect-newline-3.1.0.tgz", + "integrity": "sha512-TLz+x/vEXm/Y7P7wn1EJFNLxYpUD4TgMosxY6fAVJUnJMbupHBOncxyWUG9OpTaH9EBD7uFI5LfEgmMOc54DsA==", + "engines": { + "node": ">=8" + } + }, + "node_modules/diff-sequences": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/diff-sequences/-/diff-sequences-26.6.2.tgz", + "integrity": "sha512-Mv/TDa3nZ9sbc5soK+OoA74BsS3mL37yixCvUAQkiuA4Wz6YtwP/K47n2rv2ovzHZvoiQeA5FTQOschKkEwB0Q==", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/domexception": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/domexception/-/domexception-2.0.1.tgz", + "integrity": "sha512-yxJ2mFy/sibVQlu5qHjOkf9J3K6zgmCxgJ94u2EdvDOV09H+32LtRswEcUsmUWN72pVLOEnTSRaIVVzVQgS0dg==", + "dependencies": { + "webidl-conversions": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/domexception/node_modules/webidl-conversions": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-5.0.0.tgz", + "integrity": "sha512-VlZwKPCkYKxQgeSbH5EyngOmRp7Ww7I9rQLERETtf5ofd9pGeswWiOtogpEO850jziPRarreGxn5QIiTqpb2wA==", + "engines": { + "node": ">=8" + } + }, + "node_modules/ecc-jsbn": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/ecc-jsbn/-/ecc-jsbn-0.1.2.tgz", + "integrity": "sha1-OoOpBOVDUyh4dMVkt1SThoSamMk=", + "dependencies": { + "jsbn": "~0.1.0", + "safer-buffer": "^2.1.0" + } + }, + "node_modules/electron-to-chromium": { + "version": "1.3.732", + "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.3.732.tgz", + "integrity": "sha512-qKD5Pbq+QMk4nea4lMuncUMhpEiQwaJyCW7MrvissnRcBDENhVfDmAqQYRQ3X525oTzhar9Zh1cK0L2d1UKYcw==" + }, + "node_modules/emittery": { + "version": "0.7.2", + "resolved": "https://registry.npmjs.org/emittery/-/emittery-0.7.2.tgz", + "integrity": "sha512-A8OG5SR/ij3SsJdWDJdkkSYUjQdCUx6APQXem0SaEePBSRg4eymGYwBkKo1Y6DU+af/Jn2dBQqDBvjnr9Vi8nQ==", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sindresorhus/emittery?sponsor=1" + } + }, + "node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==" + }, + "node_modules/end-of-stream": { + "version": "1.4.4", + "resolved": "https://registry.npmjs.org/end-of-stream/-/end-of-stream-1.4.4.tgz", + "integrity": "sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==", + "dependencies": { + "once": "^1.4.0" + } + }, + "node_modules/error-ex": { + "version": "1.3.2", + "resolved": "https://registry.npmjs.org/error-ex/-/error-ex-1.3.2.tgz", + "integrity": "sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==", + "dependencies": { + "is-arrayish": "^0.2.1" + } + }, + "node_modules/escalade": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.1.1.tgz", + "integrity": "sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==", + "engines": { + "node": ">=6" + } + }, + "node_modules/escape-string-regexp": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", + "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", + "engines": { + "node": ">=8" + } + }, + "node_modules/escodegen": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/escodegen/-/escodegen-2.0.0.tgz", + "integrity": "sha512-mmHKys/C8BFUGI+MAWNcSYoORYLMdPzjrknd2Vc+bUsjN5bXcr8EhrNB+UTqfL1y3I9c4fw2ihgtMPQLBRiQxw==", + "dependencies": { + "esprima": "^4.0.1", + "estraverse": "^5.2.0", + "esutils": "^2.0.2", + "optionator": "^0.8.1" + }, + "bin": { + "escodegen": "bin/escodegen.js", + "esgenerate": "bin/esgenerate.js" + }, + "engines": { + "node": ">=6.0" + }, + "optionalDependencies": { + "source-map": "~0.6.1" + } + }, + "node_modules/esprima": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", + "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", + "bin": { + "esparse": "bin/esparse.js", + "esvalidate": "bin/esvalidate.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/estraverse": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.2.0.tgz", + "integrity": "sha512-BxbNGGNm0RyRYvUdHpIwv9IWzeM9XClbOxwoATuFdOE7ZE6wHL+HQ5T8hoPM+zHvmKzzsEqhgy0GrQ5X13afiQ==", + "engines": { + "node": ">=4.0" + } + }, + "node_modules/esutils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", + "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/exec-sh": { + "version": "0.3.6", + "resolved": "https://registry.npmjs.org/exec-sh/-/exec-sh-0.3.6.tgz", + "integrity": "sha512-nQn+hI3yp+oD0huYhKwvYI32+JFeq+XkNcD1GAo3Y/MjxsfVGmrrzrnzjWiNY6f+pUCP440fThsFh5gZrRAU/w==" + }, + "node_modules/execa": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/execa/-/execa-4.1.0.tgz", + "integrity": "sha512-j5W0//W7f8UxAn8hXVnwG8tLwdiUy4FJLcSupCg6maBYZDpyBvTApK7KyuI4bKj8KOh1r2YH+6ucuYtJv1bTZA==", + "dependencies": { + "cross-spawn": "^7.0.0", + "get-stream": "^5.0.0", + "human-signals": "^1.1.1", + "is-stream": "^2.0.0", + "merge-stream": "^2.0.0", + "npm-run-path": "^4.0.0", + "onetime": "^5.1.0", + "signal-exit": "^3.0.2", + "strip-final-newline": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sindresorhus/execa?sponsor=1" + } + }, + "node_modules/exit": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/exit/-/exit-0.1.2.tgz", + "integrity": "sha1-BjJjj42HfMghB9MKD/8aF8uhzQw=", + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/expand-brackets": { + "version": "2.1.4", + "resolved": "https://registry.npmjs.org/expand-brackets/-/expand-brackets-2.1.4.tgz", + "integrity": "sha1-t3c14xXOMPa27/D4OwQVGiJEliI=", + "dependencies": { + "debug": "^2.3.3", + "define-property": "^0.2.5", + "extend-shallow": "^2.0.1", + "posix-character-classes": "^0.1.0", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/expand-brackets/node_modules/define-property": { + "version": "0.2.5", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY=", + "dependencies": { + "is-descriptor": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/is-accessor-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz", + "integrity": "sha1-qeEss66Nh2cn7u84Q/igiXtcmNY=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/is-accessor-descriptor/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/is-data-descriptor": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz", + "integrity": "sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/is-data-descriptor/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/is-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-0.1.6.tgz", + "integrity": "sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg==", + "dependencies": { + "is-accessor-descriptor": "^0.1.6", + "is-data-descriptor": "^0.1.4", + "kind-of": "^5.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/kind-of": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g=" + }, + "node_modules/expect": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/expect/-/expect-26.6.2.tgz", + "integrity": "sha512-9/hlOBkQl2l/PLHJx6JjoDF6xPKcJEsUlWKb23rKE7KzeDqUZKXKNMW27KIue5JMdBV9HgmoJPcc8HtO85t9IA==", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-styles": "^4.0.0", + "jest-get-type": "^26.3.0", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-regex-util": "^26.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/extend": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/extend/-/extend-3.0.2.tgz", + "integrity": "sha512-fjquC59cD7CyW6urNXK0FBufkZcoiGG80wTuPujX590cB5Ttln20E2UB4S/WARVqhXffZl2LNgS+gQdPIIim/g==" + }, + "node_modules/extend-shallow": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-3.0.2.tgz", + "integrity": "sha1-Jqcarwc7OfshJxcnRhMcJwQCjbg=", + "dependencies": { + "assign-symbols": "^1.0.0", + "is-extendable": "^1.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/extglob": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/extglob/-/extglob-2.0.4.tgz", + "integrity": "sha512-Nmb6QXkELsuBr24CJSkilo6UHHgbekK5UiZgfE6UHD3Eb27YC6oD+bhcT+tJ6cl8dmsgdQxnWlcry8ksBIBLpw==", + "dependencies": { + "array-unique": "^0.3.2", + "define-property": "^1.0.0", + "expand-brackets": "^2.1.4", + "extend-shallow": "^2.0.1", + "fragment-cache": "^0.2.1", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/extglob/node_modules/define-property": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-1.0.0.tgz", + "integrity": "sha1-dp66rz9KY6rTr56NMEybvnm/sOY=", + "dependencies": { + "is-descriptor": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/extglob/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/extglob/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/extsprintf": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/extsprintf/-/extsprintf-1.3.0.tgz", + "integrity": "sha1-lpGEQOMEGnpBT4xS48V06zw+HgU=", + "engines": [ + "node >=0.6.0" + ] + }, + "node_modules/fast-deep-equal": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", + "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==" + }, + "node_modules/fast-json-stable-stringify": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", + "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==" + }, + "node_modules/fast-levenshtein": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", + "integrity": "sha1-PYpcZog6FqMMqGQ+hR8Zuqd5eRc=" + }, + "node_modules/fb-watchman": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/fb-watchman/-/fb-watchman-2.0.1.tgz", + "integrity": "sha512-DkPJKQeY6kKwmuMretBhr7G6Vodr7bFwDYTXIkfG1gjvNpaxBTQV3PbXg6bR1c1UP4jPOX0jHUbbHANL9vRjVg==", + "dependencies": { + "bser": "2.1.1" + } + }, + "node_modules/fill-range": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz", + "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==", + "dependencies": { + "to-regex-range": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/find-up": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", + "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", + "dependencies": { + "locate-path": "^5.0.0", + "path-exists": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/for-in": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/for-in/-/for-in-1.0.2.tgz", + "integrity": "sha1-gQaNKVqBQuwKxybG4iAMMPttXoA=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/forever-agent": { + "version": "0.6.1", + "resolved": "https://registry.npmjs.org/forever-agent/-/forever-agent-0.6.1.tgz", + "integrity": "sha1-+8cfDEGt6zf5bFd60e1C2P2sypE=", + "engines": { + "node": "*" + } + }, + "node_modules/form-data": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-2.3.3.tgz", + "integrity": "sha512-1lLKB2Mu3aGP1Q/2eCOx0fNbRMe7XdwktwOruhfqqd0rIJWwN4Dh+E3hrPSlDCXnSR7UtZ1N38rVXm+6+MEhJQ==", + "dependencies": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.6", + "mime-types": "^2.1.12" + }, + "engines": { + "node": ">= 0.12" + } + }, + "node_modules/fragment-cache": { + "version": "0.2.1", + "resolved": "https://registry.npmjs.org/fragment-cache/-/fragment-cache-0.2.1.tgz", + "integrity": "sha1-QpD60n8T6Jvn8zeZxrxaCr//DRk=", + "dependencies": { + "map-cache": "^0.2.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/fs.realpath": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", + "integrity": "sha1-FQStJSMVjKpA20onh8sBQRmU6k8=" + }, + "node_modules/fsevents": { + "version": "2.3.2", + "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz", + "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==", + "hasInstallScript": true, + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": "^8.16.0 || ^10.6.0 || >=11.0.0" + } + }, + "node_modules/function-bind": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", + "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==" + }, + "node_modules/gensync": { + "version": "1.0.0-beta.2", + "resolved": "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz", + "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/get-caller-file": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz", + "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", + "engines": { + "node": "6.* || 8.* || >= 10.*" + } + }, + "node_modules/get-package-type": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/get-package-type/-/get-package-type-0.1.0.tgz", + "integrity": "sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q==", + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/get-stream": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-5.2.0.tgz", + "integrity": "sha512-nBF+F1rAZVCu/p7rjzgA+Yb4lfYXrpl7a6VmJrU8wF9I1CKvP/QwPNZHnOlwbTkY6dvtFIzFMSyQXbLoTQPRpA==", + "dependencies": { + "pump": "^3.0.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/get-value": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/get-value/-/get-value-2.0.6.tgz", + "integrity": "sha1-3BXKHGcjh8p2vTesCjlbogQqLCg=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/getpass": { + "version": "0.1.7", + "resolved": "https://registry.npmjs.org/getpass/-/getpass-0.1.7.tgz", + "integrity": "sha1-Xv+OPmhNVprkyysSgmBOi6YhSfo=", + "dependencies": { + "assert-plus": "^1.0.0" + } + }, + "node_modules/glob": { + "version": "7.1.7", + "resolved": "https://registry.npmjs.org/glob/-/glob-7.1.7.tgz", + "integrity": "sha512-OvD9ENzPLbegENnYP5UUfJIirTg4+XwMWGaQfQTY0JenxNvvIKP3U3/tAQSPIu/lHxXYSZmpXlUHeqAIdKzBLQ==", + "dependencies": { + "fs.realpath": "^1.0.0", + "inflight": "^1.0.4", + "inherits": "2", + "minimatch": "^3.0.4", + "once": "^1.3.0", + "path-is-absolute": "^1.0.0" + }, + "engines": { + "node": "*" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/globals": { + "version": "11.12.0", + "resolved": "https://registry.npmjs.org/globals/-/globals-11.12.0.tgz", + "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==", + "engines": { + "node": ">=4" + } + }, + "node_modules/got": { + "version": "11.8.2", + "resolved": "https://registry.npmjs.org/got/-/got-11.8.2.tgz", + "integrity": "sha512-D0QywKgIe30ODs+fm8wMZiAcZjypcCodPNuMz5H9Mny7RJ+IjJ10BdmGW7OM7fHXP+O7r6ZwapQ/YQmMSvB0UQ==", + "dependencies": { + "@sindresorhus/is": "^4.0.0", + "@szmarczak/http-timer": "^4.0.5", + "@types/cacheable-request": "^6.0.1", + "@types/responselike": "^1.0.0", + "cacheable-lookup": "^5.0.3", + "cacheable-request": "^7.0.1", + "decompress-response": "^6.0.0", + "http2-wrapper": "^1.0.0-beta.5.2", + "lowercase-keys": "^2.0.0", + "p-cancelable": "^2.0.0", + "responselike": "^2.0.0" + }, + "engines": { + "node": ">=10.19.0" + }, + "funding": { + "url": "https://github.com/sindresorhus/got?sponsor=1" + } + }, + "node_modules/graceful-fs": { + "version": "4.2.6", + "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.6.tgz", + "integrity": "sha512-nTnJ528pbqxYanhpDYsi4Rd8MAeaBA67+RZ10CM1m3bTAVFEDcd5AuA4a6W5YkGZ1iNXHzZz8T6TBKLeBuNriQ==" + }, + "node_modules/growly": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/growly/-/growly-1.3.0.tgz", + "integrity": "sha1-8QdIy+dq+WS3yWyTxrzCivEgwIE=", + "optional": true + }, + "node_modules/har-schema": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/har-schema/-/har-schema-2.0.0.tgz", + "integrity": "sha1-qUwiJOvKwEeCoNkDVSHyRzW37JI=", + "engines": { + "node": ">=4" + } + }, + "node_modules/har-validator": { + "version": "5.1.5", + "resolved": "https://registry.npmjs.org/har-validator/-/har-validator-5.1.5.tgz", + "integrity": "sha512-nmT2T0lljbxdQZfspsno9hgrG3Uir6Ks5afism62poxqBM6sDnMEuPmzTq8XN0OEwqKLLdh1jQI3qyE66Nzb3w==", + "deprecated": "this library is no longer supported", + "dependencies": { + "ajv": "^6.12.3", + "har-schema": "^2.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/has": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", + "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", + "dependencies": { + "function-bind": "^1.1.1" + }, + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "engines": { + "node": ">=8" + } + }, + "node_modules/has-value": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/has-value/-/has-value-1.0.0.tgz", + "integrity": "sha1-GLKB2lhbHFxR3vJMkw7SmgvmsXc=", + "dependencies": { + "get-value": "^2.0.6", + "has-values": "^1.0.0", + "isobject": "^3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/has-values": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/has-values/-/has-values-1.0.0.tgz", + "integrity": "sha1-lbC2P+whRmGab+V/51Yo1aOe/k8=", + "dependencies": { + "is-number": "^3.0.0", + "kind-of": "^4.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/has-values/node_modules/is-number": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-3.0.0.tgz", + "integrity": "sha1-JP1iAaR4LPUFYcgQJ2r8fRLXEZU=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/has-values/node_modules/is-number/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/has-values/node_modules/kind-of": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-4.0.0.tgz", + "integrity": "sha1-IIE989cSkosgc3hpGkUGb65y3Vc=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/hosted-git-info": { + "version": "2.8.9", + "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-2.8.9.tgz", + "integrity": "sha512-mxIDAb9Lsm6DoOJ7xH+5+X4y1LU/4Hi50L9C5sIswK3JzULS4bwk1FvjdBgvYR4bzT4tuUQiC15FE2f5HbLvYw==" + }, + "node_modules/html-encoding-sniffer": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-2.0.1.tgz", + "integrity": "sha512-D5JbOMBIR/TVZkubHT+OyT2705QvogUW4IBn6nHd756OwieSF9aDYFj4dv6HHEVGYbHaLETa3WggZYWWMyy3ZQ==", + "dependencies": { + "whatwg-encoding": "^1.0.5" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/html-escaper": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/html-escaper/-/html-escaper-2.0.2.tgz", + "integrity": "sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg==" + }, + "node_modules/http-cache-semantics": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/http-cache-semantics/-/http-cache-semantics-4.1.0.tgz", + "integrity": "sha512-carPklcUh7ROWRK7Cv27RPtdhYhUsela/ue5/jKzjegVvXDqM2ILE9Q2BGn9JZJh1g87cp56su/FgQSzcWS8cQ==" + }, + "node_modules/http-signature": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/http-signature/-/http-signature-1.2.0.tgz", + "integrity": "sha1-muzZJRFHcvPZW2WmCruPfBj7rOE=", + "dependencies": { + "assert-plus": "^1.0.0", + "jsprim": "^1.2.2", + "sshpk": "^1.7.0" + }, + "engines": { + "node": ">=0.8", + "npm": ">=1.3.7" + } + }, + "node_modules/http2-wrapper": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/http2-wrapper/-/http2-wrapper-1.0.3.tgz", + "integrity": "sha512-V+23sDMr12Wnz7iTcDeJr3O6AIxlnvT/bmaAAAP/Xda35C90p9599p0F1eHR/N1KILWSoWVAiOMFjBBXaXSMxg==", + "dependencies": { + "quick-lru": "^5.1.1", + "resolve-alpn": "^1.0.0" + }, + "engines": { + "node": ">=10.19.0" + } + }, + "node_modules/https-proxy-agent": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.0.tgz", + "integrity": "sha512-EkYm5BcKUGiduxzSt3Eppko+PiNWNEpa4ySk9vTC6wDsQJW9rHSa+UhGNJoRYp7bz6Ht1eaRIa6QaJqO5rCFbA==", + "dependencies": { + "agent-base": "6", + "debug": "4" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/human-signals": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/human-signals/-/human-signals-1.1.1.tgz", + "integrity": "sha512-SEQu7vl8KjNL2eoGBLF3+wAjpsNfA9XMlXAYj/3EdaNfAlxKthD1xjEQfGOUhllCGGJVNY34bRr6lPINhNjyZw==", + "engines": { + "node": ">=8.12.0" + } + }, + "node_modules/iconv-lite": { + "version": "0.4.24", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", + "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/import-local": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/import-local/-/import-local-3.0.2.tgz", + "integrity": "sha512-vjL3+w0oulAVZ0hBHnxa/Nm5TAurf9YLQJDhqRZyqb+VKGOB6LU8t9H1Nr5CIo16vh9XfJTOoHwU0B71S557gA==", + "dependencies": { + "pkg-dir": "^4.2.0", + "resolve-cwd": "^3.0.0" + }, + "bin": { + "import-local-fixture": "fixtures/cli.js" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/imurmurhash": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", + "integrity": "sha1-khi5srkoojixPcT7a21XbyMUU+o=", + "engines": { + "node": ">=0.8.19" + } + }, + "node_modules/inflight": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", + "integrity": "sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk=", + "dependencies": { + "once": "^1.3.0", + "wrappy": "1" + } + }, + "node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" + }, + "node_modules/is-accessor-descriptor": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-1.0.0.tgz", + "integrity": "sha512-m5hnHTkcVsPfqx3AKlyttIPb7J+XykHvJP2B9bZDjlhLIoEq4XoK64Vg7boZlVWYK6LUY94dYPEE7Lh0ZkZKcQ==", + "dependencies": { + "kind-of": "^6.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-arrayish": { + "version": "0.2.1", + "resolved": "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.2.1.tgz", + "integrity": "sha1-d8mYQFJ6qOyxqLppe4BkWnqSap0=" + }, + "node_modules/is-buffer": { + "version": "1.1.6", + "resolved": "https://registry.npmjs.org/is-buffer/-/is-buffer-1.1.6.tgz", + "integrity": "sha512-NcdALwpXkTm5Zvvbk7owOUSvVvBKDgKP5/ewfXEznmQFfs4ZRmanOeKBTjRVjka3QFoN6XJ+9F3USqfHqTaU5w==" + }, + "node_modules/is-ci": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/is-ci/-/is-ci-2.0.0.tgz", + "integrity": "sha512-YfJT7rkpQB0updsdHLGWrvhBJfcfzNNawYDNIyQXJz0IViGf75O8EBPKSdvw2rF+LGCsX4FZ8tcr3b19LcZq4w==", + "dependencies": { + "ci-info": "^2.0.0" + }, + "bin": { + "is-ci": "bin.js" + } + }, + "node_modules/is-core-module": { + "version": "2.4.0", + "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.4.0.tgz", + "integrity": "sha512-6A2fkfq1rfeQZjxrZJGerpLCTHRNEBiSgnu0+obeJpEPZRUooHgsizvzv0ZjJwOz3iWIHdJtVWJ/tmPr3D21/A==", + "dependencies": { + "has": "^1.0.3" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-data-descriptor": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-1.0.0.tgz", + "integrity": "sha512-jbRXy1FmtAoCjQkVmIVYwuuqDFUbaOeDjmed1tOGPrsMhtJA4rD9tkgA0F1qJ3gRFRXcHYVkdeaP50Q5rE/jLQ==", + "dependencies": { + "kind-of": "^6.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-descriptor": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-1.0.2.tgz", + "integrity": "sha512-2eis5WqQGV7peooDyLmNEPUrps9+SXX5c9pL3xEB+4e9HnGuDa7mB7kHxHw4CbqS9k1T2hOH3miL8n8WtiYVtg==", + "dependencies": { + "is-accessor-descriptor": "^1.0.0", + "is-data-descriptor": "^1.0.0", + "kind-of": "^6.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-docker": { + "version": "2.2.1", + "resolved": "https://registry.npmjs.org/is-docker/-/is-docker-2.2.1.tgz", + "integrity": "sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ==", + "optional": true, + "bin": { + "is-docker": "cli.js" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-extendable": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-1.0.1.tgz", + "integrity": "sha512-arnXMxT1hhoKo9k1LZdmlNyJdDDfy2v0fXjFlmok4+i8ul/6WlbVge9bhM74OpNPQPMGUToDtz+KXa1PneJxOA==", + "dependencies": { + "is-plain-object": "^2.0.4" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-generator-fn": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/is-generator-fn/-/is-generator-fn-2.1.0.tgz", + "integrity": "sha512-cTIB4yPYL/Grw0EaSzASzg6bBy9gqCofvWN8okThAYIxKJZC+udlRAmGbM0XLeniEJSs8uEgHPGuHSe1XsOLSQ==", + "engines": { + "node": ">=6" + } + }, + "node_modules/is-number": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", + "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", + "engines": { + "node": ">=0.12.0" + } + }, + "node_modules/is-plain-object": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/is-plain-object/-/is-plain-object-2.0.4.tgz", + "integrity": "sha512-h5PpgXkWitc38BBMYawTYMWJHFZJVnBquFE57xFpjB8pJFiF6gZ+bU+WyI/yqXiFR5mdLsgYNaPe8uao6Uv9Og==", + "dependencies": { + "isobject": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-potential-custom-element-name": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz", + "integrity": "sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==" + }, + "node_modules/is-stream": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-2.0.0.tgz", + "integrity": "sha512-XCoy+WlUr7d1+Z8GgSuXmpuUFC9fOhRXglJMx+dwLKTkL44Cjd4W1Z5P+BQZpr+cR93aGP4S/s7Ftw6Nd/kiEw==", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-typedarray": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/is-typedarray/-/is-typedarray-1.0.0.tgz", + "integrity": "sha1-5HnICFjfDBsR3dppQPlgEfzaSpo=" + }, + "node_modules/is-windows": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/is-windows/-/is-windows-1.0.2.tgz", + "integrity": "sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-wsl": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/is-wsl/-/is-wsl-2.2.0.tgz", + "integrity": "sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww==", + "optional": true, + "dependencies": { + "is-docker": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/isarray": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/isarray/-/isarray-1.0.0.tgz", + "integrity": "sha1-u5NdSFgsuhaMBoNJV6VKPgcSTxE=" + }, + "node_modules/isexe": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha1-6PvzdNxVb/iUehDcsFctYz8s+hA=" + }, + "node_modules/isobject": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/isobject/-/isobject-3.0.1.tgz", + "integrity": "sha1-TkMekrEalzFjaqH5yNHMvP2reN8=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/isstream": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/isstream/-/isstream-0.1.2.tgz", + "integrity": "sha1-R+Y/evVa+m+S4VAOaQ64uFKcCZo=" + }, + "node_modules/istanbul-lib-coverage": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/istanbul-lib-coverage/-/istanbul-lib-coverage-3.0.0.tgz", + "integrity": "sha512-UiUIqxMgRDET6eR+o5HbfRYP1l0hqkWOs7vNxC/mggutCMUIhWMm8gAHb8tHlyfD3/l6rlgNA5cKdDzEAf6hEg==", + "engines": { + "node": ">=8" + } + }, + "node_modules/istanbul-lib-instrument": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-4.0.3.tgz", + "integrity": "sha512-BXgQl9kf4WTCPCCpmFGoJkz/+uhvm7h7PFKUYxh7qarQd3ER33vHG//qaE8eN25l07YqZPpHXU9I09l/RD5aGQ==", + "dependencies": { + "@babel/core": "^7.7.5", + "@istanbuljs/schema": "^0.1.2", + "istanbul-lib-coverage": "^3.0.0", + "semver": "^6.3.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/istanbul-lib-report": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/istanbul-lib-report/-/istanbul-lib-report-3.0.0.tgz", + "integrity": "sha512-wcdi+uAKzfiGT2abPpKZ0hSU1rGQjUQnLvtY5MpQ7QCTahD3VODhcu4wcfY1YtkGaDD5yuydOLINXsfbus9ROw==", + "dependencies": { + "istanbul-lib-coverage": "^3.0.0", + "make-dir": "^3.0.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/istanbul-lib-source-maps": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.0.tgz", + "integrity": "sha512-c16LpFRkR8vQXyHZ5nLpY35JZtzj1PQY1iZmesUbf1FZHbIupcWfjgOXBY9YHkLEQ6puz1u4Dgj6qmU/DisrZg==", + "dependencies": { + "debug": "^4.1.1", + "istanbul-lib-coverage": "^3.0.0", + "source-map": "^0.6.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/istanbul-reports": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.0.2.tgz", + "integrity": "sha512-9tZvz7AiR3PEDNGiV9vIouQ/EAcqMXFmkcA1CDFTwOB98OZVDL0PH9glHotf5Ugp6GCOTypfzGWI/OqjWNCRUw==", + "dependencies": { + "html-escaper": "^2.0.0", + "istanbul-lib-report": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/jest": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest/-/jest-26.6.3.tgz", + "integrity": "sha512-lGS5PXGAzR4RF7V5+XObhqz2KZIDUA1yD0DG6pBVmy10eh0ZIXQImRuzocsI/N2XZ1GrLFwTS27In2i2jlpq1Q==", + "dependencies": { + "@jest/core": "^26.6.3", + "import-local": "^3.0.2", + "jest-cli": "^26.6.3" + }, + "bin": { + "jest": "bin/jest.js" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-changed-files": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-26.6.2.tgz", + "integrity": "sha512-fDS7szLcY9sCtIip8Fjry9oGf3I2ht/QT21bAHm5Dmf0mD4X3ReNUf17y+bO6fR8WgbIZTlbyG1ak/53cbRzKQ==", + "dependencies": { + "@jest/types": "^26.6.2", + "execa": "^4.0.0", + "throat": "^5.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-cli": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-cli/-/jest-cli-26.6.3.tgz", + "integrity": "sha512-GF9noBSa9t08pSyl3CY4frMrqp+aQXFGFkf5hEPbh/pIUFYWMK6ZLTfbmadxJVcJrdRoChlWQsA2VkJcDFK8hg==", + "dependencies": { + "@jest/core": "^26.6.3", + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "exit": "^0.1.2", + "graceful-fs": "^4.2.4", + "import-local": "^3.0.2", + "is-ci": "^2.0.0", + "jest-config": "^26.6.3", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "prompts": "^2.0.1", + "yargs": "^15.4.1" + }, + "bin": { + "jest": "bin/jest.js" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-config": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-config/-/jest-config-26.6.3.tgz", + "integrity": "sha512-t5qdIj/bCj2j7NFVHb2nFB4aUdfucDn3JRKgrZnplb8nieAirAzRSHP8uDEd+qV6ygzg9Pz4YG7UTJf94LPSyg==", + "dependencies": { + "@babel/core": "^7.1.0", + "@jest/test-sequencer": "^26.6.3", + "@jest/types": "^26.6.2", + "babel-jest": "^26.6.3", + "chalk": "^4.0.0", + "deepmerge": "^4.2.2", + "glob": "^7.1.1", + "graceful-fs": "^4.2.4", + "jest-environment-jsdom": "^26.6.2", + "jest-environment-node": "^26.6.2", + "jest-get-type": "^26.3.0", + "jest-jasmine2": "^26.6.3", + "jest-regex-util": "^26.0.0", + "jest-resolve": "^26.6.2", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + }, + "peerDependencies": { + "ts-node": ">=9.0.0" + }, + "peerDependenciesMeta": { + "ts-node": { + "optional": true + } + } + }, + "node_modules/jest-diff": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-diff/-/jest-diff-26.6.2.tgz", + "integrity": "sha512-6m+9Z3Gv9wN0WFVasqjCL/06+EFCMTqDEUl/b87HYK2rAPTyfz4ZIuSlPhY51PIQRWx5TaxeF1qmXKe9gfN3sA==", + "dependencies": { + "chalk": "^4.0.0", + "diff-sequences": "^26.6.2", + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-docblock": { + "version": "26.0.0", + "resolved": "https://registry.npmjs.org/jest-docblock/-/jest-docblock-26.0.0.tgz", + "integrity": "sha512-RDZ4Iz3QbtRWycd8bUEPxQsTlYazfYn/h5R65Fc6gOfwozFhoImx+affzky/FFBuqISPTqjXomoIGJVKBWoo0w==", + "dependencies": { + "detect-newline": "^3.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-each": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-each/-/jest-each-26.6.2.tgz", + "integrity": "sha512-Mer/f0KaATbjl8MCJ+0GEpNdqmnVmDYqCTJYTvoo7rqmRiDllmp2AYN+06F93nXcY3ur9ShIjS+CO/uD+BbH4A==", + "dependencies": { + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "jest-get-type": "^26.3.0", + "jest-util": "^26.6.2", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-environment-jsdom": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-26.6.2.tgz", + "integrity": "sha512-jgPqCruTlt3Kwqg5/WVFyHIOJHsiAvhcp2qiR2QQstuG9yWox5+iHpU3ZrcBxW14T4fe5Z68jAfLRh7joCSP2Q==", + "dependencies": { + "@jest/environment": "^26.6.2", + "@jest/fake-timers": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "jest-mock": "^26.6.2", + "jest-util": "^26.6.2", + "jsdom": "^16.4.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-environment-node": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-environment-node/-/jest-environment-node-26.6.2.tgz", + "integrity": "sha512-zhtMio3Exty18dy8ee8eJ9kjnRyZC1N4C1Nt/VShN1apyXc8rWGtJ9lI7vqiWcyyXS4BVSEn9lxAM2D+07/Tag==", + "dependencies": { + "@jest/environment": "^26.6.2", + "@jest/fake-timers": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "jest-mock": "^26.6.2", + "jest-util": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-get-type": { + "version": "26.3.0", + "resolved": "https://registry.npmjs.org/jest-get-type/-/jest-get-type-26.3.0.tgz", + "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-haste-map": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-haste-map/-/jest-haste-map-26.6.2.tgz", + "integrity": "sha512-easWIJXIw71B2RdR8kgqpjQrbMRWQBgiBwXYEhtGUTaX+doCjBheluShdDMeR8IMfJiTqH4+zfhtg29apJf/8w==", + "dependencies": { + "@jest/types": "^26.6.2", + "@types/graceful-fs": "^4.1.2", + "@types/node": "*", + "anymatch": "^3.0.3", + "fb-watchman": "^2.0.0", + "graceful-fs": "^4.2.4", + "jest-regex-util": "^26.0.0", + "jest-serializer": "^26.6.2", + "jest-util": "^26.6.2", + "jest-worker": "^26.6.2", + "micromatch": "^4.0.2", + "sane": "^4.0.3", + "walker": "^1.0.7" + }, + "engines": { + "node": ">= 10.14.2" + }, + "optionalDependencies": { + "fsevents": "^2.1.2" + } + }, + "node_modules/jest-jasmine2": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-jasmine2/-/jest-jasmine2-26.6.3.tgz", + "integrity": "sha512-kPKUrQtc8aYwBV7CqBg5pu+tmYXlvFlSFYn18ev4gPFtrRzB15N2gW/Roew3187q2w2eHuu0MU9TJz6w0/nPEg==", + "dependencies": { + "@babel/traverse": "^7.1.0", + "@jest/environment": "^26.6.2", + "@jest/source-map": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "co": "^4.6.0", + "expect": "^26.6.2", + "is-generator-fn": "^2.0.0", + "jest-each": "^26.6.2", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-runtime": "^26.6.3", + "jest-snapshot": "^26.6.2", + "jest-util": "^26.6.2", + "pretty-format": "^26.6.2", + "throat": "^5.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-leak-detector": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-leak-detector/-/jest-leak-detector-26.6.2.tgz", + "integrity": "sha512-i4xlXpsVSMeKvg2cEKdfhh0H39qlJlP5Ex1yQxwF9ubahboQYMgTtz5oML35AVA3B4Eu+YsmwaiKVev9KCvLxg==", + "dependencies": { + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-matcher-utils": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-26.6.2.tgz", + "integrity": "sha512-llnc8vQgYcNqDrqRDXWwMr9i7rS5XFiCwvh6DTP7Jqa2mqpcCBBlpCbn+trkG0KNhPu/h8rzyBkriOtBstvWhw==", + "dependencies": { + "chalk": "^4.0.0", + "jest-diff": "^26.6.2", + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-message-util": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-26.6.2.tgz", + "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-mock": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-26.6.2.tgz", + "integrity": "sha512-YyFjePHHp1LzpzYcmgqkJ0nm0gg/lJx2aZFzFy1S6eUqNjXsOqTK10zNRff2dNfssgokjkG65OlWNcIlgd3zew==", + "dependencies": { + "@jest/types": "^26.6.2", + "@types/node": "*" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-pnp-resolver": { + "version": "1.2.2", + "resolved": "https://registry.npmjs.org/jest-pnp-resolver/-/jest-pnp-resolver-1.2.2.tgz", + "integrity": "sha512-olV41bKSMm8BdnuMsewT4jqlZ8+3TCARAXjZGT9jcoSnrfUnRCqnMoF9XEeoWjbzObpqF9dRhHQj0Xb9QdF6/w==", + "engines": { + "node": ">=6" + }, + "peerDependencies": { + "jest-resolve": "*" + }, + "peerDependenciesMeta": { + "jest-resolve": { + "optional": true + } + } + }, + "node_modules/jest-regex-util": { + "version": "26.0.0", + "resolved": "https://registry.npmjs.org/jest-regex-util/-/jest-regex-util-26.0.0.tgz", + "integrity": "sha512-Gv3ZIs/nA48/Zvjrl34bf+oD76JHiGDUxNOVgUjh3j890sblXryjY4rss71fPtD/njchl6PSE2hIhvyWa1eT0A==", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-resolve": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-resolve/-/jest-resolve-26.6.2.tgz", + "integrity": "sha512-sOxsZOq25mT1wRsfHcbtkInS+Ek7Q8jCHUB0ZUTP0tc/c41QHriU/NunqMfCUWsL4H3MHpvQD4QR9kSYhS7UvQ==", + "dependencies": { + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "jest-pnp-resolver": "^1.2.2", + "jest-util": "^26.6.2", + "read-pkg-up": "^7.0.1", + "resolve": "^1.18.1", + "slash": "^3.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-resolve-dependencies": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-resolve-dependencies/-/jest-resolve-dependencies-26.6.3.tgz", + "integrity": "sha512-pVwUjJkxbhe4RY8QEWzN3vns2kqyuldKpxlxJlzEYfKSvY6/bMvxoFrYYzUO1Gx28yKWN37qyV7rIoIp2h8fTg==", + "dependencies": { + "@jest/types": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-snapshot": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-runner": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-runner/-/jest-runner-26.6.3.tgz", + "integrity": "sha512-atgKpRHnaA2OvByG/HpGA4g6CSPS/1LK0jK3gATJAoptC1ojltpmVlYC3TYgdmGp+GLuhzpH30Gvs36szSL2JQ==", + "dependencies": { + "@jest/console": "^26.6.2", + "@jest/environment": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "emittery": "^0.7.1", + "exit": "^0.1.2", + "graceful-fs": "^4.2.4", + "jest-config": "^26.6.3", + "jest-docblock": "^26.0.0", + "jest-haste-map": "^26.6.2", + "jest-leak-detector": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-resolve": "^26.6.2", + "jest-runtime": "^26.6.3", + "jest-util": "^26.6.2", + "jest-worker": "^26.6.2", + "source-map-support": "^0.5.6", + "throat": "^5.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-runtime": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-runtime/-/jest-runtime-26.6.3.tgz", + "integrity": "sha512-lrzyR3N8sacTAMeonbqpnSka1dHNux2uk0qqDXVkMv2c/A3wYnvQ4EXuI013Y6+gSKSCxdaczvf4HF0mVXHRdw==", + "dependencies": { + "@jest/console": "^26.6.2", + "@jest/environment": "^26.6.2", + "@jest/fake-timers": "^26.6.2", + "@jest/globals": "^26.6.2", + "@jest/source-map": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/yargs": "^15.0.0", + "chalk": "^4.0.0", + "cjs-module-lexer": "^0.6.0", + "collect-v8-coverage": "^1.0.0", + "exit": "^0.1.2", + "glob": "^7.1.3", + "graceful-fs": "^4.2.4", + "jest-config": "^26.6.3", + "jest-haste-map": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-mock": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-resolve": "^26.6.2", + "jest-snapshot": "^26.6.2", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "slash": "^3.0.0", + "strip-bom": "^4.0.0", + "yargs": "^15.4.1" + }, + "bin": { + "jest-runtime": "bin/jest-runtime.js" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-serializer": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-serializer/-/jest-serializer-26.6.2.tgz", + "integrity": "sha512-S5wqyz0DXnNJPd/xfIzZ5Xnp1HrJWBczg8mMfMpN78OJ5eDxXyf+Ygld9wX1DnUWbIbhM1YDY95NjR4CBXkb2g==", + "dependencies": { + "@types/node": "*", + "graceful-fs": "^4.2.4" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-snapshot": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-26.6.2.tgz", + "integrity": "sha512-OLhxz05EzUtsAmOMzuupt1lHYXCNib0ECyuZ/PZOx9TrZcC8vL0x+DUG3TL+GLX3yHG45e6YGjIm0XwDc3q3og==", + "dependencies": { + "@babel/types": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/babel__traverse": "^7.0.4", + "@types/prettier": "^2.0.0", + "chalk": "^4.0.0", + "expect": "^26.6.2", + "graceful-fs": "^4.2.4", + "jest-diff": "^26.6.2", + "jest-get-type": "^26.3.0", + "jest-haste-map": "^26.6.2", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-resolve": "^26.6.2", + "natural-compare": "^1.4.0", + "pretty-format": "^26.6.2", + "semver": "^7.3.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-snapshot/node_modules/semver": { + "version": "7.3.5", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.5.tgz", + "integrity": "sha512-PoeGJYh8HK4BTO/a9Tf6ZG3veo/A7ZVsYrSA6J8ny9nb3B1VrpkuN+z9OE5wfE5p6H4LchYZsegiQgbJD94ZFQ==", + "dependencies": { + "lru-cache": "^6.0.0" + }, + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/jest-util": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-26.6.2.tgz", + "integrity": "sha512-MDW0fKfsn0OI7MS7Euz6h8HNDXVQ0gaM9uW6RjfDmd1DAFcaxX9OqIakHIqhbnmF08Cf2DLDG+ulq8YQQ0Lp0Q==", + "dependencies": { + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "is-ci": "^2.0.0", + "micromatch": "^4.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-validate": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-validate/-/jest-validate-26.6.2.tgz", + "integrity": "sha512-NEYZ9Aeyj0i5rQqbq+tpIOom0YS1u2MVu6+euBsvpgIme+FOfRmoC4R5p0JiAUpaFvFy24xgrpMknarR/93XjQ==", + "dependencies": { + "@jest/types": "^26.6.2", + "camelcase": "^6.0.0", + "chalk": "^4.0.0", + "jest-get-type": "^26.3.0", + "leven": "^3.1.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-validate/node_modules/camelcase": { + "version": "6.2.0", + "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-6.2.0.tgz", + "integrity": "sha512-c7wVvbw3f37nuobQNtgsgG9POC9qMbNuMQmTCqZv23b6MIz0fcYpBiOlv9gEN/hdLdnZTDQhg6e9Dq5M1vKvfg==", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/jest-watcher": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-watcher/-/jest-watcher-26.6.2.tgz", + "integrity": "sha512-WKJob0P/Em2csiVthsI68p6aGKTIcsfjH9Gsx1f0A3Italz43e3ho0geSAVsmj09RWOELP1AZ/DXyJgOgDKxXQ==", + "dependencies": { + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "ansi-escapes": "^4.2.1", + "chalk": "^4.0.0", + "jest-util": "^26.6.2", + "string-length": "^4.0.1" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-worker": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-26.6.2.tgz", + "integrity": "sha512-KWYVV1c4i+jbMpaBC+U++4Va0cp8OisU185o73T1vo99hqi7w8tSJfUXYswwqqrjzwxa6KpRK54WhPvwf5w6PQ==", + "dependencies": { + "@types/node": "*", + "merge-stream": "^2.0.0", + "supports-color": "^7.0.0" + }, + "engines": { + "node": ">= 10.13.0" + } + }, + "node_modules/js-tokens": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", + "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==" + }, + "node_modules/js-yaml": { + "version": "3.14.1", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", + "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", + "dependencies": { + "argparse": "^1.0.7", + "esprima": "^4.0.0" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/jsbn": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/jsbn/-/jsbn-0.1.1.tgz", + "integrity": "sha1-peZUwuWi3rXyAdls77yoDA7y9RM=" + }, + "node_modules/jsdom": { + "version": "16.5.3", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-16.5.3.tgz", + "integrity": "sha512-Qj1H+PEvUsOtdPJ056ewXM4UJPCi4hhLA8wpiz9F2YvsRBhuFsXxtrIFAgGBDynQA9isAMGE91PfUYbdMPXuTA==", + "dependencies": { + "abab": "^2.0.5", + "acorn": "^8.1.0", + "acorn-globals": "^6.0.0", + "cssom": "^0.4.4", + "cssstyle": "^2.3.0", + "data-urls": "^2.0.0", + "decimal.js": "^10.2.1", + "domexception": "^2.0.1", + "escodegen": "^2.0.0", + "html-encoding-sniffer": "^2.0.1", + "is-potential-custom-element-name": "^1.0.0", + "nwsapi": "^2.2.0", + "parse5": "6.0.1", + "request": "^2.88.2", + "request-promise-native": "^1.0.9", + "saxes": "^5.0.1", + "symbol-tree": "^3.2.4", + "tough-cookie": "^4.0.0", + "w3c-hr-time": "^1.0.2", + "w3c-xmlserializer": "^2.0.0", + "webidl-conversions": "^6.1.0", + "whatwg-encoding": "^1.0.5", + "whatwg-mimetype": "^2.3.0", + "whatwg-url": "^8.5.0", + "ws": "^7.4.4", + "xml-name-validator": "^3.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "canvas": "^2.5.0" + }, + "peerDependenciesMeta": { + "canvas": { + "optional": true + } + } + }, + "node_modules/jsesc": { + "version": "2.5.2", + "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-2.5.2.tgz", + "integrity": "sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==", + "bin": { + "jsesc": "bin/jsesc" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/json-buffer": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/json-buffer/-/json-buffer-3.0.1.tgz", + "integrity": "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==" + }, + "node_modules/json-parse-even-better-errors": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz", + "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==" + }, + "node_modules/json-schema": { + "version": "0.2.3", + "resolved": "https://registry.npmjs.org/json-schema/-/json-schema-0.2.3.tgz", + "integrity": "sha1-tIDIkuWaLwWVTOcnvT8qTogvnhM=" + }, + "node_modules/json-schema-traverse": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", + "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==" + }, + "node_modules/json-stringify-safe": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz", + "integrity": "sha1-Epai1Y/UXxmg9s4B1lcB4sc1tus=" + }, + "node_modules/json5": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.0.tgz", + "integrity": "sha512-f+8cldu7X/y7RAJurMEJmdoKXGB/X550w2Nr3tTbezL6RwEE/iMcm+tZnXeoZtKuOq6ft8+CqzEkrIgx1fPoQA==", + "dependencies": { + "minimist": "^1.2.5" + }, + "bin": { + "json5": "lib/cli.js" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/jsprim": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/jsprim/-/jsprim-1.4.1.tgz", + "integrity": "sha1-MT5mvB5cwG5Di8G3SZwuXFastqI=", + "engines": [ + "node >=0.6.0" + ], + "dependencies": { + "assert-plus": "1.0.0", + "extsprintf": "1.3.0", + "json-schema": "0.2.3", + "verror": "1.10.0" + } + }, + "node_modules/keyv": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/keyv/-/keyv-4.0.3.tgz", + "integrity": "sha512-zdGa2TOpSZPq5mU6iowDARnMBZgtCqJ11dJROFi6tg6kTn4nuUdU09lFyLFSaHrWqpIJ+EBq4E8/Dc0Vx5vLdA==", + "dependencies": { + "json-buffer": "3.0.1" + } + }, + "node_modules/kind-of": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.3.tgz", + "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/kleur": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/kleur/-/kleur-3.0.3.tgz", + "integrity": "sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w==", + "engines": { + "node": ">=6" + } + }, + "node_modules/leven": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/leven/-/leven-3.1.0.tgz", + "integrity": "sha512-qsda+H8jTaUaN/x5vzW2rzc+8Rw4TAQ/4KjB46IwK5VH+IlVeeeje/EoZRpiXvIqjFgK84QffqPztGI3VBLG1A==", + "engines": { + "node": ">=6" + } + }, + "node_modules/levn": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/levn/-/levn-0.3.0.tgz", + "integrity": "sha1-OwmSTt+fCDwEkP3UwLxEIeBHZO4=", + "dependencies": { + "prelude-ls": "~1.1.2", + "type-check": "~0.3.2" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/lines-and-columns": { + "version": "1.1.6", + "resolved": "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.1.6.tgz", + "integrity": "sha1-HADHQ7QzzQpOgHWPe2SldEDZ/wA=" + }, + "node_modules/locate-path": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", + "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", + "dependencies": { + "p-locate": "^4.1.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/lodash": { + "version": "4.17.21", + "resolved": "https://registry.npmjs.org/lodash/-/lodash-4.17.21.tgz", + "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==" + }, + "node_modules/lowercase-keys": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/lowercase-keys/-/lowercase-keys-2.0.0.tgz", + "integrity": "sha512-tqNXrS78oMOE73NMxK4EMLQsQowWf8jKooH9g7xPavRT706R6bkQJ6DY2Te7QukaZsulxa30wQ7bk0pm4XiHmA==", + "engines": { + "node": ">=8" + } + }, + "node_modules/lru-cache": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz", + "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==", + "dependencies": { + "yallist": "^4.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/make-dir": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz", + "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", + "dependencies": { + "semver": "^6.0.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/makeerror": { + "version": "1.0.11", + "resolved": "https://registry.npmjs.org/makeerror/-/makeerror-1.0.11.tgz", + "integrity": "sha1-4BpckQnyr3lmDk6LlYd5AYT1qWw=", + "dependencies": { + "tmpl": "1.0.x" + } + }, + "node_modules/map-cache": { + "version": "0.2.2", + "resolved": "https://registry.npmjs.org/map-cache/-/map-cache-0.2.2.tgz", + "integrity": "sha1-wyq9C9ZSXZsFFkW7TyasXcmKDb8=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/map-visit": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/map-visit/-/map-visit-1.0.0.tgz", + "integrity": "sha1-7Nyo8TFE5mDxtb1B8S80edmN+48=", + "dependencies": { + "object-visit": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/market-csgo-api": { + "version": "0.4.12", + "resolved": "https://registry.npmjs.org/market-csgo-api/-/market-csgo-api-0.4.12.tgz", + "integrity": "sha512-6ai7dQ5oD+tZ8TVdM5rNLnwP8OgYa5Bg5kqOM2/aKRJwW9c2vjCsgxZ8bgbKwL3abphj7KB64FSVIADVK6F7fg==", + "dependencies": { + "bottleneck": "^2.19.5", + "got": "^11.8.2", + "merge": "^2.1.1", + "papaparse": "^5.3.0" + } + }, + "node_modules/merge": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/merge/-/merge-2.1.1.tgz", + "integrity": "sha512-jz+Cfrg9GWOZbQAnDQ4hlVnQky+341Yk5ru8bZSe6sIDTCIg8n9i/u7hSQGSVOF3C7lH6mGtqjkiT9G4wFLL0w==" + }, + "node_modules/merge-stream": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz", + "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==" + }, + "node_modules/micromatch": { + "version": "4.0.4", + "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.4.tgz", + "integrity": "sha512-pRmzw/XUcwXGpD9aI9q/0XOwLNygjETJ8y0ao0wdqprrzDa4YnxLcz7fQRZr8voh8V10kGhABbNcHVk5wHgWwg==", + "dependencies": { + "braces": "^3.0.1", + "picomatch": "^2.2.3" + }, + "engines": { + "node": ">=8.6" + } + }, + "node_modules/mime-db": { + "version": "1.47.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.47.0.tgz", + "integrity": "sha512-QBmA/G2y+IfeS4oktet3qRZ+P5kPhCKRXxXnQEudYqUaEioAU1/Lq2us3D/t1Jfo4hE9REQPrbB7K5sOczJVIw==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "2.1.30", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.30.tgz", + "integrity": "sha512-crmjA4bLtR8m9qLpHvgxSChT+XoSlZi8J4n/aIdn3z92e/U47Z0V/yl+Wh9W046GgFVAmoNR/fmdbZYcSSIUeg==", + "dependencies": { + "mime-db": "1.47.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mimic-fn": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/mimic-fn/-/mimic-fn-2.1.0.tgz", + "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==", + "engines": { + "node": ">=6" + } + }, + "node_modules/mimic-response": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/mimic-response/-/mimic-response-1.0.1.tgz", + "integrity": "sha512-j5EctnkH7amfV/q5Hgmoal1g2QHFJRraOtmx0JpIqkxhBhI/lJSl1nMpQ45hVarwNETOoWEimndZ4QK0RHxuxQ==", + "engines": { + "node": ">=4" + } + }, + "node_modules/minimatch": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.0.4.tgz", + "integrity": "sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA==", + "dependencies": { + "brace-expansion": "^1.1.7" + }, + "engines": { + "node": "*" + } + }, + "node_modules/minimist": { + "version": "1.2.5", + "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.5.tgz", + "integrity": "sha512-FM9nNUYrRBAELZQT3xeZQ7fmMOBg6nWNmJKTcgsJeaLstP/UODVpGsr5OhXhhXg6f+qtJ8uiZ+PUxkDWcgIXLw==" + }, + "node_modules/mixin-deep": { + "version": "1.3.2", + "resolved": "https://registry.npmjs.org/mixin-deep/-/mixin-deep-1.3.2.tgz", + "integrity": "sha512-WRoDn//mXBiJ1H40rqa3vH0toePwSsGb45iInWlTySa+Uu4k3tYUSxa2v1KqAiLtvlrSzaExqS1gtk96A9zvEA==", + "dependencies": { + "for-in": "^1.0.2", + "is-extendable": "^1.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/mkdirp": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-1.0.4.tgz", + "integrity": "sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==", + "bin": { + "mkdirp": "bin/cmd.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/ms": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", + "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" + }, + "node_modules/nanomatch": { + "version": "1.2.13", + "resolved": "https://registry.npmjs.org/nanomatch/-/nanomatch-1.2.13.tgz", + "integrity": "sha512-fpoe2T0RbHwBTBUOftAfBPaDEi06ufaUai0mE6Yn1kacc3SnTErfb/h+X94VXzI64rKFHYImXSvdwGGCmwOqCA==", + "dependencies": { + "arr-diff": "^4.0.0", + "array-unique": "^0.3.2", + "define-property": "^2.0.2", + "extend-shallow": "^3.0.2", + "fragment-cache": "^0.2.1", + "is-windows": "^1.0.2", + "kind-of": "^6.0.2", + "object.pick": "^1.3.0", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/natural-compare": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", + "integrity": "sha1-Sr6/7tdUHywnrPspvbvRXI1bpPc=" + }, + "node_modules/nice-try": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/nice-try/-/nice-try-1.0.5.tgz", + "integrity": "sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==" + }, + "node_modules/node-cache": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/node-cache/-/node-cache-5.1.2.tgz", + "integrity": "sha512-t1QzWwnk4sjLWaQAS8CHgOJ+RAfmHpxFWmc36IWTiWHQfs0w5JDMBS1b1ZxQteo0vVVuWJvIUKHDkkeK7vIGCg==", + "dependencies": { + "clone": "2.x" + }, + "engines": { + "node": ">= 8.0.0" + } + }, + "node_modules/node-gyp-build": { + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/node-gyp-build/-/node-gyp-build-4.2.3.tgz", + "integrity": "sha512-MN6ZpzmfNCRM+3t57PTJHgHyw/h4OWnZ6mR8P5j/uZtqQr46RRuDE/P+g3n0YR/AiYXeWixZZzaip77gdICfRg==", + "bin": { + "node-gyp-build": "bin.js", + "node-gyp-build-optional": "optional.js", + "node-gyp-build-test": "build-test.js" + } + }, + "node_modules/node-int64": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/node-int64/-/node-int64-0.4.0.tgz", + "integrity": "sha1-h6kGXNs1XTGC2PlM4RGIuCXGijs=" + }, + "node_modules/node-modules-regexp": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/node-modules-regexp/-/node-modules-regexp-1.0.0.tgz", + "integrity": "sha1-jZ2+KJZKSsVxLpExZCEHxx6Q7EA=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/node-notifier": { + "version": "8.0.2", + "resolved": "https://registry.npmjs.org/node-notifier/-/node-notifier-8.0.2.tgz", + "integrity": "sha512-oJP/9NAdd9+x2Q+rfphB2RJCHjod70RcRLjosiPMMu5gjIfwVnOUGq2nbTjTUbmy0DJ/tFIVT30+Qe3nzl4TJg==", + "optional": true, + "dependencies": { + "growly": "^1.3.0", + "is-wsl": "^2.2.0", + "semver": "^7.3.2", + "shellwords": "^0.1.1", + "uuid": "^8.3.0", + "which": "^2.0.2" + } + }, + "node_modules/node-notifier/node_modules/semver": { + "version": "7.3.5", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.5.tgz", + "integrity": "sha512-PoeGJYh8HK4BTO/a9Tf6ZG3veo/A7ZVsYrSA6J8ny9nb3B1VrpkuN+z9OE5wfE5p6H4LchYZsegiQgbJD94ZFQ==", + "optional": true, + "dependencies": { + "lru-cache": "^6.0.0" + }, + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/node-releases": { + "version": "1.1.72", + "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-1.1.72.tgz", + "integrity": "sha512-LLUo+PpH3dU6XizX3iVoubUNheF/owjXCZZ5yACDxNnPtgFuludV1ZL3ayK1kVep42Rmm0+R9/Y60NQbZ2bifw==" + }, + "node_modules/normalize-package-data": { + "version": "2.5.0", + "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-2.5.0.tgz", + "integrity": "sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==", + "dependencies": { + "hosted-git-info": "^2.1.4", + "resolve": "^1.10.0", + "semver": "2 || 3 || 4 || 5", + "validate-npm-package-license": "^3.0.1" + } + }, + "node_modules/normalize-package-data/node_modules/semver": { + "version": "5.7.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-5.7.1.tgz", + "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==", + "bin": { + "semver": "bin/semver" + } + }, + "node_modules/normalize-path": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/normalize-url": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/normalize-url/-/normalize-url-4.5.0.tgz", + "integrity": "sha512-2s47yzUxdexf1OhyRi4Em83iQk0aPvwTddtFz4hnSSw9dCEsLEGf6SwIO8ss/19S9iBb5sJaOuTvTGDeZI00BQ==", + "engines": { + "node": ">=8" + } + }, + "node_modules/npm-run-path": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz", + "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==", + "dependencies": { + "path-key": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/nwsapi": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/nwsapi/-/nwsapi-2.2.0.tgz", + "integrity": "sha512-h2AatdwYH+JHiZpv7pt/gSX1XoRGb7L/qSIeuqA6GwYoF9w1vP1cw42TO0aI2pNyshRK5893hNSl+1//vHK7hQ==" + }, + "node_modules/oauth-sign": { + "version": "0.9.0", + "resolved": "https://registry.npmjs.org/oauth-sign/-/oauth-sign-0.9.0.tgz", + "integrity": "sha512-fexhUFFPTGV8ybAtSIGbV6gOkSv8UtRbDBnAyLQw4QPKkgNlsH2ByPGtMUqdWkos6YCRmAqViwgZrJc/mRDzZQ==", + "engines": { + "node": "*" + } + }, + "node_modules/object-copy": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/object-copy/-/object-copy-0.1.0.tgz", + "integrity": "sha1-fn2Fi3gb18mRpBupde04EnVOmYw=", + "dependencies": { + "copy-descriptor": "^0.1.0", + "define-property": "^0.2.5", + "kind-of": "^3.0.3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-copy/node_modules/define-property": { + "version": "0.2.5", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY=", + "dependencies": { + "is-descriptor": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-copy/node_modules/is-accessor-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz", + "integrity": "sha1-qeEss66Nh2cn7u84Q/igiXtcmNY=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-copy/node_modules/is-data-descriptor": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz", + "integrity": "sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-copy/node_modules/is-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-0.1.6.tgz", + "integrity": "sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg==", + "dependencies": { + "is-accessor-descriptor": "^0.1.6", + "is-data-descriptor": "^0.1.4", + "kind-of": "^5.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-copy/node_modules/is-descriptor/node_modules/kind-of": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-copy/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-visit": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/object-visit/-/object-visit-1.0.1.tgz", + "integrity": "sha1-95xEk68MU3e1n+OdOV5BBC3QRbs=", + "dependencies": { + "isobject": "^3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object.pick": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/object.pick/-/object.pick-1.3.0.tgz", + "integrity": "sha1-h6EKxMFpS9Lhy/U1kaZhQftd10c=", + "dependencies": { + "isobject": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/once": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", + "integrity": "sha1-WDsap3WWHUsROsF9nFC6753Xa9E=", + "dependencies": { + "wrappy": "1" + } + }, + "node_modules/onetime": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/onetime/-/onetime-5.1.2.tgz", + "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==", + "dependencies": { + "mimic-fn": "^2.1.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/optionator": { + "version": "0.8.3", + "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.8.3.tgz", + "integrity": "sha512-+IW9pACdk3XWmmTXG8m3upGUJst5XRGzxMRjXzAuJ1XnIFNvfhjjIuYkDvysnPQ7qzqVzLt78BCruntqRhWQbA==", + "dependencies": { + "deep-is": "~0.1.3", + "fast-levenshtein": "~2.0.6", + "levn": "~0.3.0", + "prelude-ls": "~1.1.2", + "type-check": "~0.3.2", + "word-wrap": "~1.2.3" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/p-cancelable": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/p-cancelable/-/p-cancelable-2.1.0.tgz", + "integrity": "sha512-HAZyB3ZodPo+BDpb4/Iu7Jv4P6cSazBz9ZM0ChhEXp70scx834aWCEjQRwgt41UzzejUAPdbqqONfRWTPYrPAQ==", + "engines": { + "node": ">=8" + } + }, + "node_modules/p-each-series": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/p-each-series/-/p-each-series-2.2.0.tgz", + "integrity": "sha512-ycIL2+1V32th+8scbpTvyHNaHe02z0sjgh91XXjAk+ZeXoPN4Z46DVUnzdso0aX4KckKw0FNNFHdjZ2UsZvxiA==", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-finally": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/p-finally/-/p-finally-1.0.0.tgz", + "integrity": "sha1-P7z7FbiZpEEjs0ttzBi3JDNqLK4=", + "engines": { + "node": ">=4" + } + }, + "node_modules/p-limit": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", + "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "dependencies": { + "p-try": "^2.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-locate": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", + "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", + "dependencies": { + "p-limit": "^2.2.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/p-try": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", + "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", + "engines": { + "node": ">=6" + } + }, + "node_modules/papaparse": { + "version": "5.3.0", + "resolved": "https://registry.npmjs.org/papaparse/-/papaparse-5.3.0.tgz", + "integrity": "sha512-Lb7jN/4bTpiuGPrYy4tkKoUS8sTki8zacB5ke1p5zolhcSE4TlWgrlsxjrDTbG/dFVh07ck7X36hUf/b5V68pg==" + }, + "node_modules/parse-json": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/parse-json/-/parse-json-5.2.0.tgz", + "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "error-ex": "^1.3.1", + "json-parse-even-better-errors": "^2.3.0", + "lines-and-columns": "^1.1.6" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/parse5": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/parse5/-/parse5-6.0.1.tgz", + "integrity": "sha512-Ofn/CTFzRGTTxwpNEs9PP93gXShHcTq255nzRYSKe8AkVpZY7e1fpmTfOyoIvjP5HG7Z2ZM7VS9PPhQGW2pOpw==" + }, + "node_modules/pascalcase": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/pascalcase/-/pascalcase-0.1.1.tgz", + "integrity": "sha1-s2PlXoAGym/iF4TS2yK9FdeRfxQ=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/path-exists": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", + "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-is-absolute": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", + "integrity": "sha1-F0uSaHNVNP+8es5r9TpanhtcX18=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/path-key": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-parse": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz", + "integrity": "sha512-GSmOT2EbHrINBf9SR7CDELwlJ8AENk3Qn7OikK4nFYAu3Ote2+JYNVvkpAEQm3/TLNEJFD/xZJjzyxg3KBWOzw==" + }, + "node_modules/performance-now": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/performance-now/-/performance-now-2.1.0.tgz", + "integrity": "sha1-Ywn04OX6kT7BxpMHrjZLSzd8nns=" + }, + "node_modules/picomatch": { + "version": "2.2.3", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.2.3.tgz", + "integrity": "sha512-KpELjfwcCDUb9PeigTs2mBJzXUPzAuP2oPcA989He8Rte0+YUAjw1JVedDhuTKPkHjSYzMN3npC9luThGYEKdg==", + "engines": { + "node": ">=8.6" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/pirates": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/pirates/-/pirates-4.0.1.tgz", + "integrity": "sha512-WuNqLTbMI3tmfef2TKxlQmAiLHKtFhlsCZnPIpuv2Ow0RDVO8lfy1Opf4NUzlMXLjPl+Men7AuVdX6TA+s+uGA==", + "dependencies": { + "node-modules-regexp": "^1.0.0" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/pkg-dir": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/pkg-dir/-/pkg-dir-4.2.0.tgz", + "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", + "dependencies": { + "find-up": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/posix-character-classes": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/posix-character-classes/-/posix-character-classes-0.1.1.tgz", + "integrity": "sha1-AerA/jta9xoqbAL+q7jB/vfgDqs=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/prelude-ls": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.1.2.tgz", + "integrity": "sha1-IZMqVJ9eUv/ZqCf1cOBL5iqX2lQ=", + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/prettyjson": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/prettyjson/-/prettyjson-1.2.1.tgz", + "integrity": "sha1-/P+rQdGcq0365eV15kJGYZsS0ok=", + "dev": true, + "dependencies": { + "colors": "^1.1.2", + "minimist": "^1.2.0" + }, + "bin": { + "prettyjson": "bin/prettyjson" + } + }, + "node_modules/prompts": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/prompts/-/prompts-2.4.1.tgz", + "integrity": "sha512-EQyfIuO2hPDsX1L/blblV+H7I0knhgAd82cVneCwcdND9B8AuCDuRcBH6yIcG4dFzlOUqbazQqwGjx5xmsNLuQ==", + "dependencies": { + "kleur": "^3.0.3", + "sisteransi": "^1.0.5" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/psl": { + "version": "1.8.0", + "resolved": "https://registry.npmjs.org/psl/-/psl-1.8.0.tgz", + "integrity": "sha512-RIdOzyoavK+hA18OGGWDqUTsCLhtA7IcZ/6NCs4fFJaHBDab+pDDmDIByWFRQJq2Cd7r1OoQxBGKOaztq+hjIQ==" + }, + "node_modules/pump": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/pump/-/pump-3.0.0.tgz", + "integrity": "sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==", + "dependencies": { + "end-of-stream": "^1.1.0", + "once": "^1.3.1" + } + }, + "node_modules/punycode": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz", + "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==", + "engines": { + "node": ">=6" + } + }, + "node_modules/qs": { + "version": "6.5.2", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.5.2.tgz", + "integrity": "sha512-N5ZAX4/LxJmF+7wN74pUD6qAh9/wnvdQcjq9TZjevvXzSUo7bfmw91saqMjzGS2xq91/odN2dW/WOl7qQHNDGA==", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/quick-lru": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/quick-lru/-/quick-lru-5.1.1.tgz", + "integrity": "sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/react-is": { + "version": "17.0.2", + "resolved": "https://registry.npmjs.org/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==" + }, + "node_modules/read-pkg": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/read-pkg/-/read-pkg-5.2.0.tgz", + "integrity": "sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==", + "dependencies": { + "@types/normalize-package-data": "^2.4.0", + "normalize-package-data": "^2.5.0", + "parse-json": "^5.0.0", + "type-fest": "^0.6.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/read-pkg-up": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/read-pkg-up/-/read-pkg-up-7.0.1.tgz", + "integrity": "sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==", + "dependencies": { + "find-up": "^4.1.0", + "read-pkg": "^5.2.0", + "type-fest": "^0.8.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/read-pkg-up/node_modules/type-fest": { + "version": "0.8.1", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.8.1.tgz", + "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==", + "engines": { + "node": ">=8" + } + }, + "node_modules/read-pkg/node_modules/type-fest": { + "version": "0.6.0", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.6.0.tgz", + "integrity": "sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==", + "engines": { + "node": ">=8" + } + }, + "node_modules/regex-not": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/regex-not/-/regex-not-1.0.2.tgz", + "integrity": "sha512-J6SDjUgDxQj5NusnOtdFxDwN/+HWykR8GELwctJ7mdqhcyy1xEc4SRFHUXvxTp661YaVKAjfRLZ9cCqS6tn32A==", + "dependencies": { + "extend-shallow": "^3.0.2", + "safe-regex": "^1.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/remove-trailing-separator": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/remove-trailing-separator/-/remove-trailing-separator-1.1.0.tgz", + "integrity": "sha1-wkvOKig62tW8P1jg1IJJuSN52O8=" + }, + "node_modules/repeat-element": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/repeat-element/-/repeat-element-1.1.4.tgz", + "integrity": "sha512-LFiNfRcSu7KK3evMyYOuCzv3L10TW7yC1G2/+StMjK8Y6Vqd2MG7r/Qjw4ghtuCOjFvlnms/iMmLqpvW/ES/WQ==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/repeat-string": { + "version": "1.6.1", + "resolved": "https://registry.npmjs.org/repeat-string/-/repeat-string-1.6.1.tgz", + "integrity": "sha1-jcrkcOHIirwtYA//Sndihtp15jc=", + "engines": { + "node": ">=0.10" + } + }, + "node_modules/request": { + "version": "2.88.2", + "resolved": "https://registry.npmjs.org/request/-/request-2.88.2.tgz", + "integrity": "sha512-MsvtOrfG9ZcrOwAW+Qi+F6HbD0CWXEh9ou77uOb7FM2WPhwT7smM833PzanhJLsgXjN89Ir6V2PczXNnMpwKhw==", + "deprecated": "request has been deprecated, see https://github.com/request/request/issues/3142", + "dependencies": { + "aws-sign2": "~0.7.0", + "aws4": "^1.8.0", + "caseless": "~0.12.0", + "combined-stream": "~1.0.6", + "extend": "~3.0.2", + "forever-agent": "~0.6.1", + "form-data": "~2.3.2", + "har-validator": "~5.1.3", + "http-signature": "~1.2.0", + "is-typedarray": "~1.0.0", + "isstream": "~0.1.2", + "json-stringify-safe": "~5.0.1", + "mime-types": "~2.1.19", + "oauth-sign": "~0.9.0", + "performance-now": "^2.1.0", + "qs": "~6.5.2", + "safe-buffer": "^5.1.2", + "tough-cookie": "~2.5.0", + "tunnel-agent": "^0.6.0", + "uuid": "^3.3.2" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/request-promise-core": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/request-promise-core/-/request-promise-core-1.1.4.tgz", + "integrity": "sha512-TTbAfBBRdWD7aNNOoVOBH4pN/KigV6LyapYNNlAPA8JwbovRti1E88m3sYAwsLi5ryhPKsE9APwnjFTgdUjTpw==", + "dependencies": { + "lodash": "^4.17.19" + }, + "engines": { + "node": ">=0.10.0" + }, + "peerDependencies": { + "request": "^2.34" + } + }, + "node_modules/request-promise-native": { + "version": "1.0.9", + "resolved": "https://registry.npmjs.org/request-promise-native/-/request-promise-native-1.0.9.tgz", + "integrity": "sha512-wcW+sIUiWnKgNY0dqCpOZkUbF/I+YPi+f09JZIDa39Ec+q82CpSYniDp+ISgTTbKmnpJWASeJBPZmoxH84wt3g==", + "deprecated": "request-promise-native has been deprecated because it extends the now deprecated request package, see https://github.com/request/request/issues/3142", + "dependencies": { + "request-promise-core": "1.1.4", + "stealthy-require": "^1.1.1", + "tough-cookie": "^2.3.3" + }, + "engines": { + "node": ">=0.12.0" + }, + "peerDependencies": { + "request": "^2.34" + } + }, + "node_modules/request-promise-native/node_modules/tough-cookie": { + "version": "2.5.0", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-2.5.0.tgz", + "integrity": "sha512-nlLsUzgm1kfLXSXfRZMc1KLAugd4hqJHDTvc2hDIwS3mZAfMEuMbc03SujMF+GEcpaX/qboeycw6iO8JwVv2+g==", + "dependencies": { + "psl": "^1.1.28", + "punycode": "^2.1.1" + }, + "engines": { + "node": ">=0.8" + } + }, + "node_modules/request/node_modules/tough-cookie": { + "version": "2.5.0", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-2.5.0.tgz", + "integrity": "sha512-nlLsUzgm1kfLXSXfRZMc1KLAugd4hqJHDTvc2hDIwS3mZAfMEuMbc03SujMF+GEcpaX/qboeycw6iO8JwVv2+g==", + "dependencies": { + "psl": "^1.1.28", + "punycode": "^2.1.1" + }, + "engines": { + "node": ">=0.8" + } + }, + "node_modules/request/node_modules/uuid": { + "version": "3.4.0", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.4.0.tgz", + "integrity": "sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==", + "bin": { + "uuid": "bin/uuid" + } + }, + "node_modules/require-directory": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz", + "integrity": "sha1-jGStX9MNqxyXbiNE/+f3kqam30I=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/require-main-filename": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/require-main-filename/-/require-main-filename-2.0.0.tgz", + "integrity": "sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==" + }, + "node_modules/resolve": { + "version": "1.20.0", + "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.20.0.tgz", + "integrity": "sha512-wENBPt4ySzg4ybFQW2TT1zMQucPK95HSh/nq2CFTZVOGut2+pQvSsgtda4d26YrYcr067wjbmzOG8byDPBX63A==", + "dependencies": { + "is-core-module": "^2.2.0", + "path-parse": "^1.0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/resolve-alpn": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/resolve-alpn/-/resolve-alpn-1.0.0.tgz", + "integrity": "sha512-rTuiIEqFmGxne4IovivKSDzld2lWW9QCjqv80SYjPgf+gS35eaCAjaP54CCwGAwBtnCsvNLYtqxe1Nw+i6JEmA==" + }, + "node_modules/resolve-cwd": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/resolve-cwd/-/resolve-cwd-3.0.0.tgz", + "integrity": "sha512-OrZaX2Mb+rJCpH/6CpSqt9xFVpN++x01XnN2ie9g6P5/3xelLAkXWVADpdz1IHD/KFfEXyE6V0U01OQ3UO2rEg==", + "dependencies": { + "resolve-from": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/resolve-from": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", + "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", + "engines": { + "node": ">=8" + } + }, + "node_modules/resolve-url": { + "version": "0.2.1", + "resolved": "https://registry.npmjs.org/resolve-url/-/resolve-url-0.2.1.tgz", + "integrity": "sha1-LGN/53yJOv0qZj/iGqkIAGjiBSo=", + "deprecated": "https://github.com/lydell/resolve-url#deprecated" + }, + "node_modules/responselike": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/responselike/-/responselike-2.0.0.tgz", + "integrity": "sha512-xH48u3FTB9VsZw7R+vvgaKeLKzT6jOogbQhEe/jewwnZgzPcnyWui2Av6JpoYZF/91uueC+lqhWqeURw5/qhCw==", + "dependencies": { + "lowercase-keys": "^2.0.0" + } + }, + "node_modules/ret": { + "version": "0.1.15", + "resolved": "https://registry.npmjs.org/ret/-/ret-0.1.15.tgz", + "integrity": "sha512-TTlYpa+OL+vMMNG24xSlQGEJ3B/RzEfUlLct7b5G/ytav+wPrplCpVMFuwzXbkecJrb6IYo1iFb0S9v37754mg==", + "engines": { + "node": ">=0.12" + } + }, + "node_modules/rimraf": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz", + "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", + "dependencies": { + "glob": "^7.1.3" + }, + "bin": { + "rimraf": "bin.js" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/rsvp": { + "version": "4.8.5", + "resolved": "https://registry.npmjs.org/rsvp/-/rsvp-4.8.5.tgz", + "integrity": "sha512-nfMOlASu9OnRJo1mbEk2cz0D56a1MBNrJ7orjRZQG10XDyuvwksKbuXNp6qa+kbn839HwjwhBzhFmdsaEAfauA==", + "engines": { + "node": "6.* || >= 7.*" + } + }, + "node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==" + }, + "node_modules/safe-regex": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/safe-regex/-/safe-regex-1.1.0.tgz", + "integrity": "sha1-QKNmnzsHfR6UPURinhV91IAjvy4=", + "dependencies": { + "ret": "~0.1.10" + } + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" + }, + "node_modules/sane": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/sane/-/sane-4.1.0.tgz", + "integrity": "sha512-hhbzAgTIX8O7SHfp2c8/kREfEn4qO/9q8C9beyY6+tvZ87EpoZ3i1RIEvp27YBswnNbY9mWd6paKVmKbAgLfZA==", + "dependencies": { + "@cnakazawa/watch": "^1.0.3", + "anymatch": "^2.0.0", + "capture-exit": "^2.0.0", + "exec-sh": "^0.3.2", + "execa": "^1.0.0", + "fb-watchman": "^2.0.0", + "micromatch": "^3.1.4", + "minimist": "^1.1.1", + "walker": "~1.0.5" + }, + "bin": { + "sane": "src/cli.js" + }, + "engines": { + "node": "6.* || 8.* || >= 10.*" + } + }, + "node_modules/sane/node_modules/anymatch": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-2.0.0.tgz", + "integrity": "sha512-5teOsQWABXHHBFP9y3skS5P3d/WfWXpv3FUpy+LorMrNYaT9pI4oLMQX7jzQ2KklNpGpWHzdCXTDT2Y3XGlZBw==", + "dependencies": { + "micromatch": "^3.1.4", + "normalize-path": "^2.1.1" + } + }, + "node_modules/sane/node_modules/braces": { + "version": "2.3.2", + "resolved": "https://registry.npmjs.org/braces/-/braces-2.3.2.tgz", + "integrity": "sha512-aNdbnj9P8PjdXU4ybaWLK2IF3jc/EoDYbC7AazW6to3TRsfXxscC9UXOB5iDiEQrkyIbWp2SLQda4+QAa7nc3w==", + "dependencies": { + "arr-flatten": "^1.1.0", + "array-unique": "^0.3.2", + "extend-shallow": "^2.0.1", + "fill-range": "^4.0.0", + "isobject": "^3.0.1", + "repeat-element": "^1.1.2", + "snapdragon": "^0.8.1", + "snapdragon-node": "^2.0.1", + "split-string": "^3.0.2", + "to-regex": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/braces/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/cross-spawn": { + "version": "6.0.5", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-6.0.5.tgz", + "integrity": "sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==", + "dependencies": { + "nice-try": "^1.0.4", + "path-key": "^2.0.1", + "semver": "^5.5.0", + "shebang-command": "^1.2.0", + "which": "^1.2.9" + }, + "engines": { + "node": ">=4.8" + } + }, + "node_modules/sane/node_modules/execa": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/execa/-/execa-1.0.0.tgz", + "integrity": "sha512-adbxcyWV46qiHyvSp50TKt05tB4tK3HcmF7/nxfAdhnox83seTDbwnaqKO4sXRy7roHAIFqJP/Rw/AuEbX61LA==", + "dependencies": { + "cross-spawn": "^6.0.0", + "get-stream": "^4.0.0", + "is-stream": "^1.1.0", + "npm-run-path": "^2.0.0", + "p-finally": "^1.0.0", + "signal-exit": "^3.0.0", + "strip-eof": "^1.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/sane/node_modules/fill-range": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-4.0.0.tgz", + "integrity": "sha1-1USBHUKPmOsGpj3EAtJAPDKMOPc=", + "dependencies": { + "extend-shallow": "^2.0.1", + "is-number": "^3.0.0", + "repeat-string": "^1.6.1", + "to-regex-range": "^2.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/fill-range/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/get-stream": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-4.1.0.tgz", + "integrity": "sha512-GMat4EJ5161kIy2HevLlr4luNjBgvmj413KaQA7jt4V8B4RDsfpHk7WQ9GVqfYyyx8OS/L66Kox+rJRNklLK7w==", + "dependencies": { + "pump": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/sane/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/is-number": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-3.0.0.tgz", + "integrity": "sha1-JP1iAaR4LPUFYcgQJ2r8fRLXEZU=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/is-number/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/is-stream": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-1.1.0.tgz", + "integrity": "sha1-EtSj3U5o4Lec6428hBc66A2RykQ=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/micromatch": { + "version": "3.1.10", + "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-3.1.10.tgz", + "integrity": "sha512-MWikgl9n9M3w+bpsY3He8L+w9eF9338xRl8IAO5viDizwSzziFEyUzo2xrrloB64ADbTf8uA8vRqqttDTOmccg==", + "dependencies": { + "arr-diff": "^4.0.0", + "array-unique": "^0.3.2", + "braces": "^2.3.1", + "define-property": "^2.0.2", + "extend-shallow": "^3.0.2", + "extglob": "^2.0.4", + "fragment-cache": "^0.2.1", + "kind-of": "^6.0.2", + "nanomatch": "^1.2.9", + "object.pick": "^1.3.0", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/normalize-path": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-2.1.1.tgz", + "integrity": "sha1-GrKLVW4Zg2Oowab35vogE3/mrtk=", + "dependencies": { + "remove-trailing-separator": "^1.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/npm-run-path": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-2.0.2.tgz", + "integrity": "sha1-NakjLfo11wZ7TLLd8jV7GHFTbF8=", + "dependencies": { + "path-key": "^2.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/sane/node_modules/path-key": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-2.0.1.tgz", + "integrity": "sha1-QRyttXTFoUDTpLGRDUDYDMn0C0A=", + "engines": { + "node": ">=4" + } + }, + "node_modules/sane/node_modules/semver": { + "version": "5.7.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-5.7.1.tgz", + "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==", + "bin": { + "semver": "bin/semver" + } + }, + "node_modules/sane/node_modules/shebang-command": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-1.2.0.tgz", + "integrity": "sha1-RKrGW2lbAzmJaMOfNj/uXer98eo=", + "dependencies": { + "shebang-regex": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/shebang-regex": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-1.0.0.tgz", + "integrity": "sha1-2kL0l0DAtC2yypcoVxyxkMmO/qM=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/to-regex-range": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-2.1.1.tgz", + "integrity": "sha1-fIDBe53+vlmeJzZ+DU3VWQFB2zg=", + "dependencies": { + "is-number": "^3.0.0", + "repeat-string": "^1.6.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/which": { + "version": "1.3.1", + "resolved": "https://registry.npmjs.org/which/-/which-1.3.1.tgz", + "integrity": "sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "which": "bin/which" + } + }, + "node_modules/saxes": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-5.0.1.tgz", + "integrity": "sha512-5LBh1Tls8c9xgGjw3QrMwETmTMVk0oFgvrFSvWx62llR2hcEInrKNZ2GZCCuuy2lvWrdl5jhbpeqc5hRYKFOcw==", + "dependencies": { + "xmlchars": "^2.2.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/semver": { + "version": "6.3.0", + "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.0.tgz", + "integrity": "sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/set-blocking": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/set-blocking/-/set-blocking-2.0.0.tgz", + "integrity": "sha1-BF+XgtARrppoA93TgrJDkrPYkPc=" + }, + "node_modules/set-value": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/set-value/-/set-value-2.0.1.tgz", + "integrity": "sha512-JxHc1weCN68wRY0fhCoXpyK55m/XPHafOmK4UWD7m2CI14GMcFypt4w/0+NV5f/ZMby2F6S2wwA7fgynh9gWSw==", + "dependencies": { + "extend-shallow": "^2.0.1", + "is-extendable": "^0.1.1", + "is-plain-object": "^2.0.3", + "split-string": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/set-value/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/set-value/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "engines": { + "node": ">=8" + } + }, + "node_modules/shellwords": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/shellwords/-/shellwords-0.1.1.tgz", + "integrity": "sha512-vFwSUfQvqybiICwZY5+DAWIPLKsWO31Q91JSKl3UYv+K5c2QRPzn0qzec6QPu1Qc9eHYItiP3NdJqNVqetYAww==", + "optional": true + }, + "node_modules/signal-exit": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.3.tgz", + "integrity": "sha512-VUJ49FC8U1OxwZLxIbTTrDvLnf/6TDgxZcK8wxR8zs13xpx7xbG60ndBlhNrFi2EMuFRoeDoJO7wthSLq42EjA==" + }, + "node_modules/sisteransi": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/sisteransi/-/sisteransi-1.0.5.tgz", + "integrity": "sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==" + }, + "node_modules/slash": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "engines": { + "node": ">=8" + } + }, + "node_modules/snapdragon": { + "version": "0.8.2", + "resolved": "https://registry.npmjs.org/snapdragon/-/snapdragon-0.8.2.tgz", + "integrity": "sha512-FtyOnWN/wCHTVXOMwvSv26d+ko5vWlIDD6zoUJ7LW8vh+ZBC8QdljveRP+crNrtBwioEUWy/4dMtbBjA4ioNlg==", + "dependencies": { + "base": "^0.11.1", + "debug": "^2.2.0", + "define-property": "^0.2.5", + "extend-shallow": "^2.0.1", + "map-cache": "^0.2.2", + "source-map": "^0.5.6", + "source-map-resolve": "^0.5.0", + "use": "^3.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon-node": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/snapdragon-node/-/snapdragon-node-2.1.1.tgz", + "integrity": "sha512-O27l4xaMYt/RSQ5TR3vpWCAB5Kb/czIcqUFOM/C4fYcLnbZUc1PkjTAMjof2pBWaSTwOUd6qUHcFGVGj7aIwnw==", + "dependencies": { + "define-property": "^1.0.0", + "isobject": "^3.0.0", + "snapdragon-util": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon-node/node_modules/define-property": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-1.0.0.tgz", + "integrity": "sha1-dp66rz9KY6rTr56NMEybvnm/sOY=", + "dependencies": { + "is-descriptor": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon-util": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/snapdragon-util/-/snapdragon-util-3.0.1.tgz", + "integrity": "sha512-mbKkMdQKsjX4BAL4bRYTj21edOf8cN7XHdYUJEe+Zn99hVEYcMvKPct1IqNe7+AZPirn8BCDOQBHQZknqmKlZQ==", + "dependencies": { + "kind-of": "^3.2.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon-util/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/snapdragon/node_modules/define-property": { + "version": "0.2.5", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY=", + "dependencies": { + "is-descriptor": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/is-accessor-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz", + "integrity": "sha1-qeEss66Nh2cn7u84Q/igiXtcmNY=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/is-accessor-descriptor/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/is-data-descriptor": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz", + "integrity": "sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/is-data-descriptor/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/is-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-0.1.6.tgz", + "integrity": "sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg==", + "dependencies": { + "is-accessor-descriptor": "^0.1.6", + "is-data-descriptor": "^0.1.4", + "kind-of": "^5.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/kind-of": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g=" + }, + "node_modules/snapdragon/node_modules/source-map": { + "version": "0.5.7", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", + "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map": { + "version": "0.6.1", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-resolve": { + "version": "0.5.3", + "resolved": "https://registry.npmjs.org/source-map-resolve/-/source-map-resolve-0.5.3.tgz", + "integrity": "sha512-Htz+RnsXWk5+P2slx5Jh3Q66vhQj1Cllm0zvnaY98+NFx+Dv2CF/f5O/t8x+KaNdrdIAsruNzoh/KpialbqAnw==", + "dependencies": { + "atob": "^2.1.2", + "decode-uri-component": "^0.2.0", + "resolve-url": "^0.2.1", + "source-map-url": "^0.4.0", + "urix": "^0.1.0" + } + }, + "node_modules/source-map-support": { + "version": "0.5.19", + "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.19.tgz", + "integrity": "sha512-Wonm7zOCIJzBGQdB+thsPar0kYuCIzYvxZwlBa87yi/Mdjv7Tip2cyVbLj5o0cFPN4EVkuTwb3GDDyUx2DGnGw==", + "dependencies": { + "buffer-from": "^1.0.0", + "source-map": "^0.6.0" + } + }, + "node_modules/source-map-url": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/source-map-url/-/source-map-url-0.4.1.tgz", + "integrity": "sha512-cPiFOTLUKvJFIg4SKVScy4ilPPW6rFgMgfuZJPNoDuMs3nC1HbMUycBoJw77xFIp6z1UJQJOfx6C9GMH80DiTw==" + }, + "node_modules/spdx-correct": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/spdx-correct/-/spdx-correct-3.1.1.tgz", + "integrity": "sha512-cOYcUWwhCuHCXi49RhFRCyJEK3iPj1Ziz9DpViV3tbZOwXD49QzIN3MpOLJNxh2qwq2lJJZaKMVw9qNi4jTC0w==", + "dependencies": { + "spdx-expression-parse": "^3.0.0", + "spdx-license-ids": "^3.0.0" + } + }, + "node_modules/spdx-exceptions": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/spdx-exceptions/-/spdx-exceptions-2.3.0.tgz", + "integrity": "sha512-/tTrYOC7PPI1nUAgx34hUpqXuyJG+DTHJTnIULG4rDygi4xu/tfgmq1e1cIRwRzwZgo4NLySi+ricLkZkw4i5A==" + }, + "node_modules/spdx-expression-parse": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/spdx-expression-parse/-/spdx-expression-parse-3.0.1.tgz", + "integrity": "sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==", + "dependencies": { + "spdx-exceptions": "^2.1.0", + "spdx-license-ids": "^3.0.0" + } + }, + "node_modules/spdx-license-ids": { + "version": "3.0.8", + "resolved": "https://registry.npmjs.org/spdx-license-ids/-/spdx-license-ids-3.0.8.tgz", + "integrity": "sha512-NDgA96EnaLSvtbM7trJj+t1LUR3pirkDCcz9nOUlPb5DMBGsH7oES6C3hs3j7R9oHEa1EMvReS/BUAIT5Tcr0g==" + }, + "node_modules/split-string": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/split-string/-/split-string-3.1.0.tgz", + "integrity": "sha512-NzNVhJDYpwceVVii8/Hu6DKfD2G+NrQHlS/V/qgv763EYudVwEcMQNxd2lh+0VrUByXN/oJkl5grOhYWvQUYiw==", + "dependencies": { + "extend-shallow": "^3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sprintf-js": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", + "integrity": "sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw=" + }, + "node_modules/sshpk": { + "version": "1.16.1", + "resolved": "https://registry.npmjs.org/sshpk/-/sshpk-1.16.1.tgz", + "integrity": "sha512-HXXqVUq7+pcKeLqqZj6mHFUMvXtOJt1uoUx09pFW6011inTMxqI8BA8PM95myrIyyKwdnzjdFjLiE6KBPVtJIg==", + "dependencies": { + "asn1": "~0.2.3", + "assert-plus": "^1.0.0", + "bcrypt-pbkdf": "^1.0.0", + "dashdash": "^1.12.0", + "ecc-jsbn": "~0.1.1", + "getpass": "^0.1.1", + "jsbn": "~0.1.0", + "safer-buffer": "^2.0.2", + "tweetnacl": "~0.14.0" + }, + "bin": { + "sshpk-conv": "bin/sshpk-conv", + "sshpk-sign": "bin/sshpk-sign", + "sshpk-verify": "bin/sshpk-verify" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/stack-utils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/stack-utils/-/stack-utils-2.0.3.tgz", + "integrity": "sha512-gL//fkxfWUsIlFL2Tl42Cl6+HFALEaB1FU76I/Fy+oZjRreP7OPMXFlGbxM7NQsI0ZpUfw76sHnv0WNYuTb7Iw==", + "dependencies": { + "escape-string-regexp": "^2.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/static-extend": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/static-extend/-/static-extend-0.1.2.tgz", + "integrity": "sha1-YICcOcv/VTNyJv1eC1IPNB8ftcY=", + "dependencies": { + "define-property": "^0.2.5", + "object-copy": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/static-extend/node_modules/define-property": { + "version": "0.2.5", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY=", + "dependencies": { + "is-descriptor": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/static-extend/node_modules/is-accessor-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz", + "integrity": "sha1-qeEss66Nh2cn7u84Q/igiXtcmNY=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/static-extend/node_modules/is-accessor-descriptor/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/static-extend/node_modules/is-data-descriptor": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz", + "integrity": "sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/static-extend/node_modules/is-data-descriptor/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/static-extend/node_modules/is-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-0.1.6.tgz", + "integrity": "sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg==", + "dependencies": { + "is-accessor-descriptor": "^0.1.6", + "is-data-descriptor": "^0.1.4", + "kind-of": "^5.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/static-extend/node_modules/kind-of": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/stealthy-require": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/stealthy-require/-/stealthy-require-1.1.1.tgz", + "integrity": "sha1-NbCYdbT/SfJqd35QmzCQoyJr8ks=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/string-length": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/string-length/-/string-length-4.0.2.tgz", + "integrity": "sha512-+l6rNN5fYHNhZZy41RXsYptCjA2Igmq4EG7kZAYFQI1E1VTXarr6ZPXBg6eq7Y6eK4FEhY6AJlyuFIb/v/S0VQ==", + "dependencies": { + "char-regex": "^1.0.2", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/string-width": { + "version": "4.2.2", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.2.tgz", + "integrity": "sha512-XBJbT3N4JhVumXE0eoLU9DCjcaF92KLNqTmFCnG1pf8duUxFGwtP6AD6nkjw9a3IdiRtL3E2w3JDiE/xi3vOeA==", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.0.tgz", + "integrity": "sha512-AuvKTrTfQNYNIctbR1K/YGTR1756GycPsg7b9bdV9Duqur4gv6aKqHXah67Z8ImS7WEz5QVcOtlfW2rZEugt6w==", + "dependencies": { + "ansi-regex": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-bom": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-4.0.0.tgz", + "integrity": "sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w==", + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-eof": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/strip-eof/-/strip-eof-1.0.0.tgz", + "integrity": "sha1-u0P/VZim6wXYm1n80SnJgzE2Br8=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/strip-final-newline": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-2.0.0.tgz", + "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==", + "engines": { + "node": ">=6" + } + }, + "node_modules/supports-color": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/supports-hyperlinks": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/supports-hyperlinks/-/supports-hyperlinks-2.2.0.tgz", + "integrity": "sha512-6sXEzV5+I5j8Bmq9/vUphGRM/RJNT9SCURJLjwfOg51heRtguGWDzcaBlgAzKhQa0EVNpPEKzQuBwZ8S8WaCeQ==", + "dependencies": { + "has-flag": "^4.0.0", + "supports-color": "^7.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/symbol-tree": { + "version": "3.2.4", + "resolved": "https://registry.npmjs.org/symbol-tree/-/symbol-tree-3.2.4.tgz", + "integrity": "sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==" + }, + "node_modules/terminal-link": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/terminal-link/-/terminal-link-2.1.1.tgz", + "integrity": "sha512-un0FmiRUQNr5PJqy9kP7c40F5BOfpGlYTrxonDChEZB7pzZxRNp/bt+ymiy9/npwXya9KH99nJ/GXFIiUkYGFQ==", + "dependencies": { + "ansi-escapes": "^4.2.1", + "supports-hyperlinks": "^2.0.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/test-exclude": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/test-exclude/-/test-exclude-6.0.0.tgz", + "integrity": "sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w==", + "dependencies": { + "@istanbuljs/schema": "^0.1.2", + "glob": "^7.1.4", + "minimatch": "^3.0.4" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/throat": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/throat/-/throat-5.0.0.tgz", + "integrity": "sha512-fcwX4mndzpLQKBS1DVYhGAcYaYt7vsHNIvQV+WXMvnow5cgjPphq5CaayLaGsjRdSCKZFNGt7/GYAuXaNOiYCA==" + }, + "node_modules/tinytim": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/tinytim/-/tinytim-0.1.1.tgz", + "integrity": "sha1-yWih5VWa2VUyJO92J7qzTjyu+Kg=", + "engines": { + "node": ">= 0.2.0" + } + }, + "node_modules/tmpl": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/tmpl/-/tmpl-1.0.4.tgz", + "integrity": "sha1-I2QN17QtAEM5ERQIIOXPRA5SHdE=" + }, + "node_modules/to-fast-properties": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/to-fast-properties/-/to-fast-properties-2.0.0.tgz", + "integrity": "sha1-3F5pjL0HkmW8c+A3doGk5Og/YW4=", + "engines": { + "node": ">=4" + } + }, + "node_modules/to-object-path": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/to-object-path/-/to-object-path-0.3.0.tgz", + "integrity": "sha1-KXWIt7Dn4KwI4E5nL4XB9JmeF68=", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/to-object-path/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/to-regex": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/to-regex/-/to-regex-3.0.2.tgz", + "integrity": "sha512-FWtleNAtZ/Ki2qtqej2CXTOayOH9bHDQF+Q48VpWyDXjbYxA4Yz8iDB31zXOBUlOHHKidDbqGVrTUvQMPmBGBw==", + "dependencies": { + "define-property": "^2.0.2", + "extend-shallow": "^3.0.2", + "regex-not": "^1.0.2", + "safe-regex": "^1.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/to-regex-range": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", + "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", + "dependencies": { + "is-number": "^7.0.0" + }, + "engines": { + "node": ">=8.0" + } + }, + "node_modules/tough-cookie": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.0.0.tgz", + "integrity": "sha512-tHdtEpQCMrc1YLrMaqXXcj6AxhYi/xgit6mZu1+EDWUn+qhUf8wMQoFIy9NXuq23zAwtcB0t/MjACGR18pcRbg==", + "dependencies": { + "psl": "^1.1.33", + "punycode": "^2.1.1", + "universalify": "^0.1.2" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/tr46": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/tr46/-/tr46-2.0.2.tgz", + "integrity": "sha512-3n1qG+/5kg+jrbTzwAykB5yRYtQCTqOGKq5U5PE3b0a1/mzo6snDhjGS0zJVJunO0NrT3Dg1MLy5TjWP/UJppg==", + "dependencies": { + "punycode": "^2.1.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/tracer": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/tracer/-/tracer-1.1.4.tgz", + "integrity": "sha512-43Ws4c/V6VK9i2MLjmeYVtXZ+YUHU/qFXznJqYgI8F5nNrIQ4v9ImBAk+JjfPHS4StlpmaHzgR5qpBydbD9TkA==", + "dependencies": { + "colors": "1.4.0", + "dateformat": "3.0.3", + "mkdirp": "^1.0.4", + "tinytim": "0.1.1" + }, + "engines": { + "node": ">= 0.10.0" + } + }, + "node_modules/tunnel": { + "version": "0.0.6", + "resolved": "https://registry.npmjs.org/tunnel/-/tunnel-0.0.6.tgz", + "integrity": "sha512-1h/Lnq9yajKY2PEbBadPXj3VxsDDu844OnaAo52UVmIzIvwwtBPIuNvkjuzBlTWpfJyUbG3ez0KSBibQkj4ojg==", + "engines": { + "node": ">=0.6.11 <=0.7.0 || >=0.7.3" + } + }, + "node_modules/tunnel-agent": { + "version": "0.6.0", + "resolved": "https://registry.npmjs.org/tunnel-agent/-/tunnel-agent-0.6.0.tgz", + "integrity": "sha1-J6XeoGs2sEoKmWZ3SykIaPD8QP0=", + "dependencies": { + "safe-buffer": "^5.0.1" + }, + "engines": { + "node": "*" + } + }, + "node_modules/tweetnacl": { + "version": "0.14.5", + "resolved": "https://registry.npmjs.org/tweetnacl/-/tweetnacl-0.14.5.tgz", + "integrity": "sha1-WuaBd/GS1EViadEIr6k/+HQ/T2Q=" + }, + "node_modules/type-check": { + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.3.2.tgz", + "integrity": "sha1-WITKtRLPHTVeP7eE8wgEsrUg23I=", + "dependencies": { + "prelude-ls": "~1.1.2" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/type-detect": { + "version": "4.0.8", + "resolved": "https://registry.npmjs.org/type-detect/-/type-detect-4.0.8.tgz", + "integrity": "sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==", + "engines": { + "node": ">=4" + } + }, + "node_modules/type-fest": { + "version": "0.21.3", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.21.3.tgz", + "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/typedarray-to-buffer": { + "version": "3.1.5", + "resolved": "https://registry.npmjs.org/typedarray-to-buffer/-/typedarray-to-buffer-3.1.5.tgz", + "integrity": "sha512-zdu8XMNEDepKKR+XYOXAVPtWui0ly0NtohUscw+UmaHiAWT8hrV1rr//H6V+0DvJ3OQ19S979M0laLfX8rm82Q==", + "dependencies": { + "is-typedarray": "^1.0.0" + } + }, + "node_modules/union-value": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/union-value/-/union-value-1.0.1.tgz", + "integrity": "sha512-tJfXmxMeWYnczCVs7XAEvIV7ieppALdyepWMkHkwciRpZraG/xwT+s2JN8+pr1+8jCRf80FFzvr+MpQeeoF4Xg==", + "dependencies": { + "arr-union": "^3.1.0", + "get-value": "^2.0.6", + "is-extendable": "^0.1.1", + "set-value": "^2.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/union-value/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/universalify": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.1.2.tgz", + "integrity": "sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg==", + "engines": { + "node": ">= 4.0.0" + } + }, + "node_modules/unset-value": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/unset-value/-/unset-value-1.0.0.tgz", + "integrity": "sha1-g3aHP30jNRef+x5vw6jtDfyKtVk=", + "dependencies": { + "has-value": "^0.3.1", + "isobject": "^3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/unset-value/node_modules/has-value": { + "version": "0.3.1", + "resolved": "https://registry.npmjs.org/has-value/-/has-value-0.3.1.tgz", + "integrity": "sha1-ex9YutpiyoJ+wKIHgCVlSEWZXh8=", + "dependencies": { + "get-value": "^2.0.3", + "has-values": "^0.1.4", + "isobject": "^2.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/unset-value/node_modules/has-value/node_modules/isobject": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/isobject/-/isobject-2.1.0.tgz", + "integrity": "sha1-8GVWEJaj8dou9GJy+BXIQNh+DIk=", + "dependencies": { + "isarray": "1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/unset-value/node_modules/has-values": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/has-values/-/has-values-0.1.4.tgz", + "integrity": "sha1-bWHeldkd/Km5oCCJrThL/49it3E=", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/uri-js": { + "version": "4.4.1", + "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz", + "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", + "dependencies": { + "punycode": "^2.1.0" + } + }, + "node_modules/urix": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/urix/-/urix-0.1.0.tgz", + "integrity": "sha1-2pN/emLiH+wf0Y1Js1wpNQZ6bHI=", + "deprecated": "Please see https://github.com/lydell/urix#deprecated" + }, + "node_modules/use": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/use/-/use-3.1.1.tgz", + "integrity": "sha512-cwESVXlO3url9YWlFW/TA9cshCEhtu7IKJ/p5soJ/gGpj7vbvFrAY/eIioQ6Dw23KjZhYgiIo8HOs1nQ2vr/oQ==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "optional": true, + "bin": { + "uuid": "dist/bin/uuid" + } + }, + "node_modules/v8-to-istanbul": { + "version": "7.1.2", + "resolved": "https://registry.npmjs.org/v8-to-istanbul/-/v8-to-istanbul-7.1.2.tgz", + "integrity": "sha512-TxNb7YEUwkLXCQYeudi6lgQ/SZrzNO4kMdlqVxaZPUIUjCv6iSSypUQX70kNBSERpQ8fk48+d61FXk+tgqcWow==", + "dependencies": { + "@types/istanbul-lib-coverage": "^2.0.1", + "convert-source-map": "^1.6.0", + "source-map": "^0.7.3" + }, + "engines": { + "node": ">=10.10.0" + } + }, + "node_modules/v8-to-istanbul/node_modules/source-map": { + "version": "0.7.3", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.7.3.tgz", + "integrity": "sha512-CkCj6giN3S+n9qrYiBTX5gystlENnRW5jZeNLHpe6aue+SrHcG5VYwujhW9s4dY31mEGsxBDrHR6oI69fTXsaQ==", + "engines": { + "node": ">= 8" + } + }, + "node_modules/validate-npm-package-license": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz", + "integrity": "sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==", + "dependencies": { + "spdx-correct": "^3.0.0", + "spdx-expression-parse": "^3.0.0" + } + }, + "node_modules/verror": { + "version": "1.10.0", + "resolved": "https://registry.npmjs.org/verror/-/verror-1.10.0.tgz", + "integrity": "sha1-OhBcoXBTr1XW4nDB+CiGguGNpAA=", + "engines": [ + "node >=0.6.0" + ], + "dependencies": { + "assert-plus": "^1.0.0", + "core-util-is": "1.0.2", + "extsprintf": "^1.2.0" + } + }, + "node_modules/w3c-hr-time": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/w3c-hr-time/-/w3c-hr-time-1.0.2.tgz", + "integrity": "sha512-z8P5DvDNjKDoFIHK7q8r8lackT6l+jo/Ye3HOle7l9nICP9lf1Ci25fy9vHd0JOWewkIFzXIEig3TdKT7JQ5fQ==", + "dependencies": { + "browser-process-hrtime": "^1.0.0" + } + }, + "node_modules/w3c-xmlserializer": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/w3c-xmlserializer/-/w3c-xmlserializer-2.0.0.tgz", + "integrity": "sha512-4tzD0mF8iSiMiNs30BiLO3EpfGLZUT2MSX/G+o7ZywDzliWQ3OPtTZ0PTC3B3ca1UAf4cJMHB+2Bf56EriJuRA==", + "dependencies": { + "xml-name-validator": "^3.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/walker": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/walker/-/walker-1.0.7.tgz", + "integrity": "sha1-L3+bj9ENZ3JisYqITijRlhjgKPs=", + "dependencies": { + "makeerror": "1.0.x" + } + }, + "node_modules/webidl-conversions": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-6.1.0.tgz", + "integrity": "sha512-qBIvFLGiBpLjfwmYAaHPXsn+ho5xZnGvyGvsarywGNc8VyQJUMHJ8OBKGGrPER0okBeMDaan4mNBlgBROxuI8w==", + "engines": { + "node": ">=10.4" + } + }, + "node_modules/whatwg-encoding": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/whatwg-encoding/-/whatwg-encoding-1.0.5.tgz", + "integrity": "sha512-b5lim54JOPN9HtzvK9HFXvBma/rnfFeqsic0hSpjtDbVxR3dJKLc+KB4V6GgiGOvl7CY/KNh8rxSo9DKQrnUEw==", + "dependencies": { + "iconv-lite": "0.4.24" + } + }, + "node_modules/whatwg-mimetype": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/whatwg-mimetype/-/whatwg-mimetype-2.3.0.tgz", + "integrity": "sha512-M4yMwr6mAnQz76TbJm914+gPpB/nCwvZbJU28cUD6dR004SAxDLOOSUaB1JDRqLtaOV/vi0IC5lEAGFgrjGv/g==" + }, + "node_modules/whatwg-url": { + "version": "8.5.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-8.5.0.tgz", + "integrity": "sha512-fy+R77xWv0AiqfLl4nuGUlQ3/6b5uNfQ4WAbGQVMYshCTCCPK9psC1nWh3XHuxGVCtlcDDQPQW1csmmIQo+fwg==", + "dependencies": { + "lodash": "^4.7.0", + "tr46": "^2.0.2", + "webidl-conversions": "^6.1.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/which": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/which-module": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/which-module/-/which-module-2.0.0.tgz", + "integrity": "sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=" + }, + "node_modules/word-wrap": { + "version": "1.2.3", + "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz", + "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/wrap-ansi": { + "version": "6.2.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-6.2.0.tgz", + "integrity": "sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/wrappy": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", + "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=" + }, + "node_modules/write-file-atomic": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-3.0.3.tgz", + "integrity": "sha512-AvHcyZ5JnSfq3ioSyjrBkH9yW4m7Ayk8/9My/DD9onKeu/94fwrMocemO2QAJFAlnnDN+ZDS+ZjAR5ua1/PV/Q==", + "dependencies": { + "imurmurhash": "^0.1.4", + "is-typedarray": "^1.0.0", + "signal-exit": "^3.0.2", + "typedarray-to-buffer": "^3.1.5" + } + }, + "node_modules/ws": { + "version": "7.4.4", + "resolved": "https://registry.npmjs.org/ws/-/ws-7.4.4.tgz", + "integrity": "sha512-Qm8k8ojNQIMx7S+Zp8u/uHOx7Qazv3Yv4q68MiWWWOJhiwG5W3x7iqmRtJo8xxrciZUY4vRxUTJCKuRnF28ZZw==", + "engines": { + "node": ">=8.3.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": "^5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, + "node_modules/xml-name-validator": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/xml-name-validator/-/xml-name-validator-3.0.0.tgz", + "integrity": "sha512-A5CUptxDsvxKJEU3yO6DuWBSJz/qizqzJKOMIfUJHETbBw/sFaDxgd6fxm1ewUaM0jZ444Fc5vC5ROYurg/4Pw==" + }, + "node_modules/xmlchars": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/xmlchars/-/xmlchars-2.2.0.tgz", + "integrity": "sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw==" + }, + "node_modules/y18n": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/y18n/-/y18n-4.0.3.tgz", + "integrity": "sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ==" + }, + "node_modules/yallist": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz", + "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==" + }, + "node_modules/yargs": { + "version": "15.4.1", + "resolved": "https://registry.npmjs.org/yargs/-/yargs-15.4.1.tgz", + "integrity": "sha512-aePbxDmcYW++PaqBsJ+HYUFwCdv4LVvdnhBy78E57PIor8/OVvhMrADFFEDh8DHDFRv/O9i3lPhsENjO7QX0+A==", + "dependencies": { + "cliui": "^6.0.0", + "decamelize": "^1.2.0", + "find-up": "^4.1.0", + "get-caller-file": "^2.0.1", + "require-directory": "^2.1.1", + "require-main-filename": "^2.0.0", + "set-blocking": "^2.0.0", + "string-width": "^4.2.0", + "which-module": "^2.0.0", + "y18n": "^4.0.0", + "yargs-parser": "^18.1.2" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/yargs-parser": { + "version": "18.1.3", + "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-18.1.3.tgz", + "integrity": "sha512-o50j0JeToy/4K6OZcaQmW6lyXXKhq7csREXcDwk2omFPJEwUNOVtJKvmDr9EI1fAJZUyZcRF7kxGBWmRXudrCQ==", + "dependencies": { + "camelcase": "^5.0.0", + "decamelize": "^1.2.0" + }, + "engines": { + "node": ">=6" + } + } + }, + "dependencies": { + "@babel/code-frame": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.12.13.tgz", + "integrity": "sha512-HV1Cm0Q3ZrpCR93tkWOYiuYIgLxZXZFVG2VgK+MBWjUqZTundupbfx2aXarXuw5Ko5aMcjtJgbSs4vUGBS5v6g==", + "requires": { + "@babel/highlight": "^7.12.13" + } + }, + "@babel/compat-data": { + "version": "7.14.0", + "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.14.0.tgz", + "integrity": "sha512-vu9V3uMM/1o5Hl5OekMUowo3FqXLJSw+s+66nt0fSWVWTtmosdzn45JHOB3cPtZoe6CTBDzvSw0RdOY85Q37+Q==" + }, + "@babel/core": { + "version": "7.14.3", + "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.14.3.tgz", + "integrity": "sha512-jB5AmTKOCSJIZ72sd78ECEhuPiDMKlQdDI/4QRI6lzYATx5SSogS1oQA2AoPecRCknm30gHi2l+QVvNUu3wZAg==", + "requires": { + "@babel/code-frame": "^7.12.13", + "@babel/generator": "^7.14.3", + "@babel/helper-compilation-targets": "^7.13.16", + "@babel/helper-module-transforms": "^7.14.2", + "@babel/helpers": "^7.14.0", + "@babel/parser": "^7.14.3", + "@babel/template": "^7.12.13", + "@babel/traverse": "^7.14.2", + "@babel/types": "^7.14.2", + "convert-source-map": "^1.7.0", + "debug": "^4.1.0", + "gensync": "^1.0.0-beta.2", + "json5": "^2.1.2", + "semver": "^6.3.0", + "source-map": "^0.5.0" + }, + "dependencies": { + "source-map": { + "version": "0.5.7", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", + "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=" + } + } + }, + "@babel/generator": { + "version": "7.14.3", + "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.14.3.tgz", + "integrity": "sha512-bn0S6flG/j0xtQdz3hsjJ624h3W0r3llttBMfyHX3YrZ/KtLYr15bjA0FXkgW7FpvrDuTuElXeVjiKlYRpnOFA==", + "requires": { + "@babel/types": "^7.14.2", + "jsesc": "^2.5.1", + "source-map": "^0.5.0" + }, + "dependencies": { + "source-map": { + "version": "0.5.7", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", + "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=" + } + } + }, + "@babel/helper-compilation-targets": { + "version": "7.13.16", + "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.13.16.tgz", + "integrity": "sha512-3gmkYIrpqsLlieFwjkGgLaSHmhnvlAYzZLlYVjlW+QwI+1zE17kGxuJGmIqDQdYp56XdmGeD+Bswx0UTyG18xA==", + "requires": { + "@babel/compat-data": "^7.13.15", + "@babel/helper-validator-option": "^7.12.17", + "browserslist": "^4.14.5", + "semver": "^6.3.0" + } + }, + "@babel/helper-function-name": { + "version": "7.14.2", + "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.14.2.tgz", + "integrity": "sha512-NYZlkZRydxw+YT56IlhIcS8PAhb+FEUiOzuhFTfqDyPmzAhRge6ua0dQYT/Uh0t/EDHq05/i+e5M2d4XvjgarQ==", + "requires": { + "@babel/helper-get-function-arity": "^7.12.13", + "@babel/template": "^7.12.13", + "@babel/types": "^7.14.2" + } + }, + "@babel/helper-get-function-arity": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.12.13.tgz", + "integrity": "sha512-DjEVzQNz5LICkzN0REdpD5prGoidvbdYk1BVgRUOINaWJP2t6avB27X1guXK1kXNrX0WMfsrm1A/ZBthYuIMQg==", + "requires": { + "@babel/types": "^7.12.13" + } + }, + "@babel/helper-member-expression-to-functions": { + "version": "7.13.12", + "resolved": "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.13.12.tgz", + "integrity": "sha512-48ql1CLL59aKbU94Y88Xgb2VFy7a95ykGRbJJaaVv+LX5U8wFpLfiGXJJGUozsmA1oEh/o5Bp60Voq7ACyA/Sw==", + "requires": { + "@babel/types": "^7.13.12" + } + }, + "@babel/helper-module-imports": { + "version": "7.13.12", + "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.13.12.tgz", + "integrity": "sha512-4cVvR2/1B693IuOvSI20xqqa/+bl7lqAMR59R4iu39R9aOX8/JoYY1sFaNvUMyMBGnHdwvJgUrzNLoUZxXypxA==", + "requires": { + "@babel/types": "^7.13.12" + } + }, + "@babel/helper-module-transforms": { + "version": "7.14.2", + "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.14.2.tgz", + "integrity": "sha512-OznJUda/soKXv0XhpvzGWDnml4Qnwp16GN+D/kZIdLsWoHj05kyu8Rm5kXmMef+rVJZ0+4pSGLkeixdqNUATDA==", + "requires": { + "@babel/helper-module-imports": "^7.13.12", + "@babel/helper-replace-supers": "^7.13.12", + "@babel/helper-simple-access": "^7.13.12", + "@babel/helper-split-export-declaration": "^7.12.13", + "@babel/helper-validator-identifier": "^7.14.0", + "@babel/template": "^7.12.13", + "@babel/traverse": "^7.14.2", + "@babel/types": "^7.14.2" + } + }, + "@babel/helper-optimise-call-expression": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.12.13.tgz", + "integrity": "sha512-BdWQhoVJkp6nVjB7nkFWcn43dkprYauqtk++Py2eaf/GRDFm5BxRqEIZCiHlZUGAVmtwKcsVL1dC68WmzeFmiA==", + "requires": { + "@babel/types": "^7.12.13" + } + }, + "@babel/helper-plugin-utils": { + "version": "7.13.0", + "resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.13.0.tgz", + "integrity": "sha512-ZPafIPSwzUlAoWT8DKs1W2VyF2gOWthGd5NGFMsBcMMol+ZhK+EQY/e6V96poa6PA/Bh+C9plWN0hXO1uB8AfQ==" + }, + "@babel/helper-replace-supers": { + "version": "7.14.3", + "resolved": "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.14.3.tgz", + "integrity": "sha512-Rlh8qEWZSTfdz+tgNV/N4gz1a0TMNwCUcENhMjHTHKp3LseYH5Jha0NSlyTQWMnjbYcwFt+bqAMqSLHVXkQ6UA==", + "requires": { + "@babel/helper-member-expression-to-functions": "^7.13.12", + "@babel/helper-optimise-call-expression": "^7.12.13", + "@babel/traverse": "^7.14.2", + "@babel/types": "^7.14.2" + } + }, + "@babel/helper-simple-access": { + "version": "7.13.12", + "resolved": "https://registry.npmjs.org/@babel/helper-simple-access/-/helper-simple-access-7.13.12.tgz", + "integrity": "sha512-7FEjbrx5SL9cWvXioDbnlYTppcZGuCY6ow3/D5vMggb2Ywgu4dMrpTJX0JdQAIcRRUElOIxF3yEooa9gUb9ZbA==", + "requires": { + "@babel/types": "^7.13.12" + } + }, + "@babel/helper-split-export-declaration": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.12.13.tgz", + "integrity": "sha512-tCJDltF83htUtXx5NLcaDqRmknv652ZWCHyoTETf1CXYJdPC7nohZohjUgieXhv0hTJdRf2FjDueFehdNucpzg==", + "requires": { + "@babel/types": "^7.12.13" + } + }, + "@babel/helper-validator-identifier": { + "version": "7.14.0", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.14.0.tgz", + "integrity": "sha512-V3ts7zMSu5lfiwWDVWzRDGIN+lnCEUdaXgtVHJgLb1rGaA6jMrtB9EmE7L18foXJIE8Un/A/h6NJfGQp/e1J4A==" + }, + "@babel/helper-validator-option": { + "version": "7.12.17", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.12.17.tgz", + "integrity": "sha512-TopkMDmLzq8ngChwRlyjR6raKD6gMSae4JdYDB8bByKreQgG0RBTuKe9LRxW3wFtUnjxOPRKBDwEH6Mg5KeDfw==" + }, + "@babel/helpers": { + "version": "7.14.0", + "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.14.0.tgz", + "integrity": "sha512-+ufuXprtQ1D1iZTO/K9+EBRn+qPWMJjZSw/S0KlFrxCw4tkrzv9grgpDHkY9MeQTjTY8i2sp7Jep8DfU6tN9Mg==", + "requires": { + "@babel/template": "^7.12.13", + "@babel/traverse": "^7.14.0", + "@babel/types": "^7.14.0" + } + }, + "@babel/highlight": { + "version": "7.14.0", + "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.14.0.tgz", + "integrity": "sha512-YSCOwxvTYEIMSGaBQb5kDDsCopDdiUGsqpatp3fOlI4+2HQSkTmEVWnVuySdAC5EWCqSWWTv0ib63RjR7dTBdg==", + "requires": { + "@babel/helper-validator-identifier": "^7.14.0", + "chalk": "^2.0.0", + "js-tokens": "^4.0.0" + }, + "dependencies": { + "ansi-styles": { + "version": "3.2.1", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz", + "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==", + "requires": { + "color-convert": "^1.9.0" + } + }, + "chalk": { + "version": "2.4.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz", + "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==", + "requires": { + "ansi-styles": "^3.2.1", + "escape-string-regexp": "^1.0.5", + "supports-color": "^5.3.0" + } + }, + "color-convert": { + "version": "1.9.3", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz", + "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==", + "requires": { + "color-name": "1.1.3" + } + }, + "color-name": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz", + "integrity": "sha1-p9BVi9icQveV3UIyj3QIMcpTvCU=" + }, + "escape-string-regexp": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ=" + }, + "has-flag": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", + "integrity": "sha1-tdRU3CGZriJWmfNGfloH87lVuv0=" + }, + "supports-color": { + "version": "5.5.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", + "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", + "requires": { + "has-flag": "^3.0.0" + } + } + } + }, + "@babel/parser": { + "version": "7.14.3", + "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.14.3.tgz", + "integrity": "sha512-7MpZDIfI7sUC5zWo2+foJ50CSI5lcqDehZ0lVgIhSi4bFEk94fLAKlF3Q0nzSQQ+ca0lm+O6G9ztKVBeu8PMRQ==" + }, + "@babel/plugin-syntax-async-generators": { + "version": "7.8.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz", + "integrity": "sha512-tycmZxkGfZaxhMRbXlPXuVFpdWlXpir2W4AMhSJgRKzk/eDlIXOhb2LHWoLpDF7TEHylV5zNhykX6KAgHJmTNw==", + "requires": { + "@babel/helper-plugin-utils": "^7.8.0" + } + }, + "@babel/plugin-syntax-bigint": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz", + "integrity": "sha512-wnTnFlG+YxQm3vDxpGE57Pj0srRU4sHE/mDkt1qv2YJJSeUAec2ma4WLUnUPeKjyrfntVwe/N6dCXpU+zL3Npg==", + "requires": { + "@babel/helper-plugin-utils": "^7.8.0" + } + }, + "@babel/plugin-syntax-class-properties": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz", + "integrity": "sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA==", + "requires": { + "@babel/helper-plugin-utils": "^7.12.13" + } + }, + "@babel/plugin-syntax-import-meta": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", + "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==", + "requires": { + "@babel/helper-plugin-utils": "^7.10.4" + } + }, + "@babel/plugin-syntax-json-strings": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz", + "integrity": "sha512-lY6kdGpWHvjoe2vk4WrAapEuBR69EMxZl+RoGRhrFGNYVK8mOPAW8VfbT/ZgrFbXlDNiiaxQnAtgVCZ6jv30EA==", + "requires": { + "@babel/helper-plugin-utils": "^7.8.0" + } + }, + "@babel/plugin-syntax-logical-assignment-operators": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz", + "integrity": "sha512-d8waShlpFDinQ5MtvGU9xDAOzKH47+FFoney2baFIoMr952hKOLp1HR7VszoZvOsV/4+RRszNY7D17ba0te0ig==", + "requires": { + "@babel/helper-plugin-utils": "^7.10.4" + } + }, + "@babel/plugin-syntax-nullish-coalescing-operator": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz", + "integrity": "sha512-aSff4zPII1u2QD7y+F8oDsz19ew4IGEJg9SVW+bqwpwtfFleiQDMdzA/R+UlWDzfnHFCxxleFT0PMIrR36XLNQ==", + "requires": { + "@babel/helper-plugin-utils": "^7.8.0" + } + }, + "@babel/plugin-syntax-numeric-separator": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz", + "integrity": "sha512-9H6YdfkcK/uOnY/K7/aA2xpzaAgkQn37yzWUMRK7OaPOqOpGS1+n0H5hxT9AUw9EsSjPW8SVyMJwYRtWs3X3ug==", + "requires": { + "@babel/helper-plugin-utils": "^7.10.4" + } + }, + "@babel/plugin-syntax-object-rest-spread": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz", + "integrity": "sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA==", + "requires": { + "@babel/helper-plugin-utils": "^7.8.0" + } + }, + "@babel/plugin-syntax-optional-catch-binding": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz", + "integrity": "sha512-6VPD0Pc1lpTqw0aKoeRTMiB+kWhAoT24PA+ksWSBrFtl5SIRVpZlwN3NNPQjehA2E/91FV3RjLWoVTglWcSV3Q==", + "requires": { + "@babel/helper-plugin-utils": "^7.8.0" + } + }, + "@babel/plugin-syntax-optional-chaining": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz", + "integrity": "sha512-KoK9ErH1MBlCPxV0VANkXW2/dw4vlbGDrFgz8bmUsBGYkFRcbRwMh6cIJubdPrkxRwuGdtCk0v/wPTKbQgBjkg==", + "requires": { + "@babel/helper-plugin-utils": "^7.8.0" + } + }, + "@babel/plugin-syntax-top-level-await": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.12.13.tgz", + "integrity": "sha512-A81F9pDwyS7yM//KwbCSDqy3Uj4NMIurtplxphWxoYtNPov7cJsDkAFNNyVlIZ3jwGycVsurZ+LtOA8gZ376iQ==", + "requires": { + "@babel/helper-plugin-utils": "^7.12.13" + } + }, + "@babel/template": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.12.13.tgz", + "integrity": "sha512-/7xxiGA57xMo/P2GVvdEumr8ONhFOhfgq2ihK3h1e6THqzTAkHbkXgB0xI9yeTfIUoH3+oAeHhqm/I43OTbbjA==", + "requires": { + "@babel/code-frame": "^7.12.13", + "@babel/parser": "^7.12.13", + "@babel/types": "^7.12.13" + } + }, + "@babel/traverse": { + "version": "7.14.2", + "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.14.2.tgz", + "integrity": "sha512-TsdRgvBFHMyHOOzcP9S6QU0QQtjxlRpEYOy3mcCO5RgmC305ki42aSAmfZEMSSYBla2oZ9BMqYlncBaKmD/7iA==", + "requires": { + "@babel/code-frame": "^7.12.13", + "@babel/generator": "^7.14.2", + "@babel/helper-function-name": "^7.14.2", + "@babel/helper-split-export-declaration": "^7.12.13", + "@babel/parser": "^7.14.2", + "@babel/types": "^7.14.2", + "debug": "^4.1.0", + "globals": "^11.1.0" + } + }, + "@babel/types": { + "version": "7.14.2", + "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.14.2.tgz", + "integrity": "sha512-SdjAG/3DikRHpUOjxZgnkbR11xUlyDMUFJdvnIgZEE16mqmY0BINMmc4//JMJglEmn6i7sq6p+mGrFWyZ98EEw==", + "requires": { + "@babel/helper-validator-identifier": "^7.14.0", + "to-fast-properties": "^2.0.0" + } + }, + "@bcoe/v8-coverage": { + "version": "0.2.3", + "resolved": "https://registry.npmjs.org/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz", + "integrity": "sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw==" + }, + "@cnakazawa/watch": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/@cnakazawa/watch/-/watch-1.0.4.tgz", + "integrity": "sha512-v9kIhKwjeZThiWrLmj0y17CWoyddASLj9O2yvbZkbvw/N3rWOYy9zkV66ursAoVr0mV15bL8g0c4QZUE6cdDoQ==", + "requires": { + "exec-sh": "^0.3.2", + "minimist": "^1.2.0" + } + }, + "@istanbuljs/load-nyc-config": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz", + "integrity": "sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==", + "requires": { + "camelcase": "^5.3.1", + "find-up": "^4.1.0", + "get-package-type": "^0.1.0", + "js-yaml": "^3.13.1", + "resolve-from": "^5.0.0" + } + }, + "@istanbuljs/schema": { + "version": "0.1.3", + "resolved": "https://registry.npmjs.org/@istanbuljs/schema/-/schema-0.1.3.tgz", + "integrity": "sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==" + }, + "@jest/console": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/console/-/console-26.6.2.tgz", + "integrity": "sha512-IY1R2i2aLsLr7Id3S6p2BA82GNWryt4oSvEXLAKc+L2zdi89dSkE8xC1C+0kpATG4JhBJREnQOH7/zmccM2B0g==", + "requires": { + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "jest-message-util": "^26.6.2", + "jest-util": "^26.6.2", + "slash": "^3.0.0" + } + }, + "@jest/core": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/@jest/core/-/core-26.6.3.tgz", + "integrity": "sha512-xvV1kKbhfUqFVuZ8Cyo+JPpipAHHAV3kcDBftiduK8EICXmTFddryy3P7NfZt8Pv37rA9nEJBKCCkglCPt/Xjw==", + "requires": { + "@jest/console": "^26.6.2", + "@jest/reporters": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "ansi-escapes": "^4.2.1", + "chalk": "^4.0.0", + "exit": "^0.1.2", + "graceful-fs": "^4.2.4", + "jest-changed-files": "^26.6.2", + "jest-config": "^26.6.3", + "jest-haste-map": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-resolve": "^26.6.2", + "jest-resolve-dependencies": "^26.6.3", + "jest-runner": "^26.6.3", + "jest-runtime": "^26.6.3", + "jest-snapshot": "^26.6.2", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "jest-watcher": "^26.6.2", + "micromatch": "^4.0.2", + "p-each-series": "^2.1.0", + "rimraf": "^3.0.0", + "slash": "^3.0.0", + "strip-ansi": "^6.0.0" + } + }, + "@jest/environment": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-26.6.2.tgz", + "integrity": "sha512-nFy+fHl28zUrRsCeMB61VDThV1pVTtlEokBRgqPrcT1JNq4yRNIyTHfyht6PqtUvY9IsuLGTrbG8kPXjSZIZwA==", + "requires": { + "@jest/fake-timers": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "jest-mock": "^26.6.2" + } + }, + "@jest/fake-timers": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-26.6.2.tgz", + "integrity": "sha512-14Uleatt7jdzefLPYM3KLcnUl1ZNikaKq34enpb5XG9i81JpppDb5muZvonvKyrl7ftEHkKS5L5/eB/kxJ+bvA==", + "requires": { + "@jest/types": "^26.6.2", + "@sinonjs/fake-timers": "^6.0.1", + "@types/node": "*", + "jest-message-util": "^26.6.2", + "jest-mock": "^26.6.2", + "jest-util": "^26.6.2" + } + }, + "@jest/globals": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/globals/-/globals-26.6.2.tgz", + "integrity": "sha512-85Ltnm7HlB/KesBUuALwQ68YTU72w9H2xW9FjZ1eL1U3lhtefjjl5c2MiUbpXt/i6LaPRvoOFJ22yCBSfQ0JIA==", + "requires": { + "@jest/environment": "^26.6.2", + "@jest/types": "^26.6.2", + "expect": "^26.6.2" + } + }, + "@jest/reporters": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/reporters/-/reporters-26.6.2.tgz", + "integrity": "sha512-h2bW53APG4HvkOnVMo8q3QXa6pcaNt1HkwVsOPMBV6LD/q9oSpxNSYZQYkAnjdMjrJ86UuYeLo+aEZClV6opnw==", + "requires": { + "@bcoe/v8-coverage": "^0.2.3", + "@jest/console": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "collect-v8-coverage": "^1.0.0", + "exit": "^0.1.2", + "glob": "^7.1.2", + "graceful-fs": "^4.2.4", + "istanbul-lib-coverage": "^3.0.0", + "istanbul-lib-instrument": "^4.0.3", + "istanbul-lib-report": "^3.0.0", + "istanbul-lib-source-maps": "^4.0.0", + "istanbul-reports": "^3.0.2", + "jest-haste-map": "^26.6.2", + "jest-resolve": "^26.6.2", + "jest-util": "^26.6.2", + "jest-worker": "^26.6.2", + "node-notifier": "^8.0.0", + "slash": "^3.0.0", + "source-map": "^0.6.0", + "string-length": "^4.0.1", + "terminal-link": "^2.0.0", + "v8-to-istanbul": "^7.0.0" + } + }, + "@jest/source-map": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/source-map/-/source-map-26.6.2.tgz", + "integrity": "sha512-YwYcCwAnNmOVsZ8mr3GfnzdXDAl4LaenZP5z+G0c8bzC9/dugL8zRmxZzdoTl4IaS3CryS1uWnROLPFmb6lVvA==", + "requires": { + "callsites": "^3.0.0", + "graceful-fs": "^4.2.4", + "source-map": "^0.6.0" + } + }, + "@jest/test-result": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/test-result/-/test-result-26.6.2.tgz", + "integrity": "sha512-5O7H5c/7YlojphYNrK02LlDIV2GNPYisKwHm2QTKjNZeEzezCbwYs9swJySv2UfPMyZ0VdsmMv7jIlD/IKYQpQ==", + "requires": { + "@jest/console": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/istanbul-lib-coverage": "^2.0.0", + "collect-v8-coverage": "^1.0.0" + } + }, + "@jest/test-sequencer": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-26.6.3.tgz", + "integrity": "sha512-YHlVIjP5nfEyjlrSr8t/YdNfU/1XEt7c5b4OxcXCjyRhjzLYu/rO69/WHPuYcbCWkz8kAeZVZp2N2+IOLLEPGw==", + "requires": { + "@jest/test-result": "^26.6.2", + "graceful-fs": "^4.2.4", + "jest-haste-map": "^26.6.2", + "jest-runner": "^26.6.3", + "jest-runtime": "^26.6.3" + } + }, + "@jest/transform": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/transform/-/transform-26.6.2.tgz", + "integrity": "sha512-E9JjhUgNzvuQ+vVAL21vlyfy12gP0GhazGgJC4h6qUt1jSdUXGWJ1wfu/X7Sd8etSgxV4ovT1pb9v5D6QW4XgA==", + "requires": { + "@babel/core": "^7.1.0", + "@jest/types": "^26.6.2", + "babel-plugin-istanbul": "^6.0.0", + "chalk": "^4.0.0", + "convert-source-map": "^1.4.0", + "fast-json-stable-stringify": "^2.0.0", + "graceful-fs": "^4.2.4", + "jest-haste-map": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-util": "^26.6.2", + "micromatch": "^4.0.2", + "pirates": "^4.0.1", + "slash": "^3.0.0", + "source-map": "^0.6.1", + "write-file-atomic": "^3.0.0" + } + }, + "@jest/types": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/@jest/types/-/types-26.6.2.tgz", + "integrity": "sha512-fC6QCp7Sc5sX6g8Tvbmj4XUTbyrik0akgRy03yjXbQaBWWNWGE7SGtJk98m0N8nzegD/7SggrUlivxo5ax4KWQ==", + "requires": { + "@types/istanbul-lib-coverage": "^2.0.0", + "@types/istanbul-reports": "^3.0.0", + "@types/node": "*", + "@types/yargs": "^15.0.0", + "chalk": "^4.0.0" + } + }, + "@sindresorhus/is": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/@sindresorhus/is/-/is-4.0.0.tgz", + "integrity": "sha512-FyD2meJpDPjyNQejSjvnhpgI/azsQkA4lGbuu5BQZfjvJ9cbRZXzeWL2HceCekW4lixO9JPesIIQkSoLjeJHNQ==" + }, + "@sinonjs/commons": { + "version": "1.8.3", + "resolved": "https://registry.npmjs.org/@sinonjs/commons/-/commons-1.8.3.tgz", + "integrity": "sha512-xkNcLAn/wZaX14RPlwizcKicDk9G3F8m2nU3L7Ukm5zBgTwiT0wsoFAHx9Jq56fJA1z/7uKGtCRu16sOUCLIHQ==", + "requires": { + "type-detect": "4.0.8" + } + }, + "@sinonjs/fake-timers": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/@sinonjs/fake-timers/-/fake-timers-6.0.1.tgz", + "integrity": "sha512-MZPUxrmFubI36XS1DI3qmI0YdN1gks62JtFZvxR67ljjSNCeK6U08Zx4msEWOXuofgqUt6zPHSi1H9fbjR/NRA==", + "requires": { + "@sinonjs/commons": "^1.7.0" + } + }, + "@szmarczak/http-timer": { + "version": "4.0.5", + "resolved": "https://registry.npmjs.org/@szmarczak/http-timer/-/http-timer-4.0.5.tgz", + "integrity": "sha512-PyRA9sm1Yayuj5OIoJ1hGt2YISX45w9WcFbh6ddT0Z/0yaFxOtGLInr4jUfU1EAFVs0Yfyfev4RNwBlUaHdlDQ==", + "requires": { + "defer-to-connect": "^2.0.0" + } + }, + "@types/babel__core": { + "version": "7.1.14", + "resolved": "https://registry.npmjs.org/@types/babel__core/-/babel__core-7.1.14.tgz", + "integrity": "sha512-zGZJzzBUVDo/eV6KgbE0f0ZI7dInEYvo12Rb70uNQDshC3SkRMb67ja0GgRHZgAX3Za6rhaWlvbDO8rrGyAb1g==", + "requires": { + "@babel/parser": "^7.1.0", + "@babel/types": "^7.0.0", + "@types/babel__generator": "*", + "@types/babel__template": "*", + "@types/babel__traverse": "*" + } + }, + "@types/babel__generator": { + "version": "7.6.2", + "resolved": "https://registry.npmjs.org/@types/babel__generator/-/babel__generator-7.6.2.tgz", + "integrity": "sha512-MdSJnBjl+bdwkLskZ3NGFp9YcXGx5ggLpQQPqtgakVhsWK0hTtNYhjpZLlWQTviGTvF8at+Bvli3jV7faPdgeQ==", + "requires": { + "@babel/types": "^7.0.0" + } + }, + "@types/babel__template": { + "version": "7.4.0", + "resolved": "https://registry.npmjs.org/@types/babel__template/-/babel__template-7.4.0.tgz", + "integrity": "sha512-NTPErx4/FiPCGScH7foPyr+/1Dkzkni+rHiYHHoTjvwou7AQzJkNeD60A9CXRy+ZEN2B1bggmkTMCDb+Mv5k+A==", + "requires": { + "@babel/parser": "^7.1.0", + "@babel/types": "^7.0.0" + } + }, + "@types/babel__traverse": { + "version": "7.11.1", + "resolved": "https://registry.npmjs.org/@types/babel__traverse/-/babel__traverse-7.11.1.tgz", + "integrity": "sha512-Vs0hm0vPahPMYi9tDjtP66llufgO3ST16WXaSTtDGEl9cewAl3AibmxWw6TINOqHPT9z0uABKAYjT9jNSg4npw==", + "requires": { + "@babel/types": "^7.3.0" + } + }, + "@types/cacheable-request": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/@types/cacheable-request/-/cacheable-request-6.0.1.tgz", + "integrity": "sha512-ykFq2zmBGOCbpIXtoVbz4SKY5QriWPh3AjyU4G74RYbtt5yOc5OfaY75ftjg7mikMOla1CTGpX3lLbuJh8DTrQ==", + "requires": { + "@types/http-cache-semantics": "*", + "@types/keyv": "*", + "@types/node": "*", + "@types/responselike": "*" + } + }, + "@types/graceful-fs": { + "version": "4.1.5", + "resolved": "https://registry.npmjs.org/@types/graceful-fs/-/graceful-fs-4.1.5.tgz", + "integrity": "sha512-anKkLmZZ+xm4p8JWBf4hElkM4XR+EZeA2M9BAkkTldmcyDY4mbdIJnRghDJH3Ov5ooY7/UAoENtmdMSkaAd7Cw==", + "requires": { + "@types/node": "*" + } + }, + "@types/http-cache-semantics": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/@types/http-cache-semantics/-/http-cache-semantics-4.0.0.tgz", + "integrity": "sha512-c3Xy026kOF7QOTn00hbIllV1dLR9hG9NkSrLQgCVs8NF6sBU+VGWjD3wLPhmh1TYAc7ugCFsvHYMN4VcBN1U1A==" + }, + "@types/istanbul-lib-coverage": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.3.tgz", + "integrity": "sha512-sz7iLqvVUg1gIedBOvlkxPlc8/uVzyS5OwGz1cKjXzkl3FpL3al0crU8YGU1WoHkxn0Wxbw5tyi6hvzJKNzFsw==" + }, + "@types/istanbul-lib-report": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.0.tgz", + "integrity": "sha512-plGgXAPfVKFoYfa9NpYDAkseG+g6Jr294RqeqcqDixSbU34MZVJRi/P+7Y8GDpzkEwLaGZZOpKIEmeVZNtKsrg==", + "requires": { + "@types/istanbul-lib-coverage": "*" + } + }, + "@types/istanbul-reports": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/@types/istanbul-reports/-/istanbul-reports-3.0.0.tgz", + "integrity": "sha512-nwKNbvnwJ2/mndE9ItP/zc2TCzw6uuodnF4EHYWD+gCQDVBuRQL5UzbZD0/ezy1iKsFU2ZQiDqg4M9dN4+wZgA==", + "requires": { + "@types/istanbul-lib-report": "*" + } + }, + "@types/keyv": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/@types/keyv/-/keyv-3.1.1.tgz", + "integrity": "sha512-MPtoySlAZQ37VoLaPcTHCu1RWJ4llDkULYZIzOYxlhxBqYPB0RsRlmMU0R6tahtFe27mIdkHV+551ZWV4PLmVw==", + "requires": { + "@types/node": "*" + } + }, + "@types/node": { + "version": "14.14.33", + "resolved": "https://registry.npmjs.org/@types/node/-/node-14.14.33.tgz", + "integrity": "sha512-oJqcTrgPUF29oUP8AsUqbXGJNuPutsetaa9kTQAQce5Lx5dTYWV02ScBiT/k1BX/Z7pKeqedmvp39Wu4zR7N7g==" + }, + "@types/normalize-package-data": { + "version": "2.4.0", + "resolved": "https://registry.npmjs.org/@types/normalize-package-data/-/normalize-package-data-2.4.0.tgz", + "integrity": "sha512-f5j5b/Gf71L+dbqxIpQ4Z2WlmI/mPJ0fOkGGmFgtb6sAu97EPczzbS3/tJKxmcYDj55OX6ssqwDAWOHIYDRDGA==" + }, + "@types/prettier": { + "version": "2.2.3", + "resolved": "https://registry.npmjs.org/@types/prettier/-/prettier-2.2.3.tgz", + "integrity": "sha512-PijRCG/K3s3w1We6ynUKdxEc5AcuuH3NBmMDP8uvKVp6X43UY7NQlTzczakXP3DJR0F4dfNQIGjU2cUeRYs2AA==" + }, + "@types/responselike": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/@types/responselike/-/responselike-1.0.0.tgz", + "integrity": "sha512-85Y2BjiufFzaMIlvJDvTTB8Fxl2xfLo4HgmHzVBz08w4wDePCTjYw66PdrolO0kzli3yam/YCgRufyo1DdQVTA==", + "requires": { + "@types/node": "*" + } + }, + "@types/stack-utils": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/@types/stack-utils/-/stack-utils-2.0.0.tgz", + "integrity": "sha512-RJJrrySY7A8havqpGObOB4W92QXKJo63/jFLLgpvOtsGUqbQZ9Sbgl35KMm1DjC6j7AvmmU2bIno+3IyEaemaw==" + }, + "@types/yargs": { + "version": "15.0.13", + "resolved": "https://registry.npmjs.org/@types/yargs/-/yargs-15.0.13.tgz", + "integrity": "sha512-kQ5JNTrbDv3Rp5X2n/iUu37IJBDU2gsZ5R/g1/KHOOEc5IKfUFjXT6DENPGduh08I/pamwtEq4oul7gUqKTQDQ==", + "requires": { + "@types/yargs-parser": "*" + } + }, + "@types/yargs-parser": { + "version": "20.2.0", + "resolved": "https://registry.npmjs.org/@types/yargs-parser/-/yargs-parser-20.2.0.tgz", + "integrity": "sha512-37RSHht+gzzgYeobbG+KWryeAW8J33Nhr69cjTqSYymXVZEN9NbRYWoYlRtDhHKPVT1FyNKwaTPC1NynKZpzRA==" + }, + "abab": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/abab/-/abab-2.0.5.tgz", + "integrity": "sha512-9IK9EadsbHo6jLWIpxpR6pL0sazTXV6+SQv25ZB+F7Bj9mJNaOc4nCRabwd5M/JwmUa8idz6Eci6eKfJryPs6Q==" + }, + "acorn": { + "version": "8.2.4", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.2.4.tgz", + "integrity": "sha512-Ibt84YwBDDA890eDiDCEqcbwvHlBvzzDkU2cGBBDDI1QWT12jTiXIOn2CIw5KK4i6N5Z2HUxwYjzriDyqaqqZg==" + }, + "acorn-globals": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/acorn-globals/-/acorn-globals-6.0.0.tgz", + "integrity": "sha512-ZQl7LOWaF5ePqqcX4hLuv/bLXYQNfNWw2c0/yX/TsPRKamzHcTGQnlCjHT3TsmkOUVEPS3crCxiPfdzE/Trlhg==", + "requires": { + "acorn": "^7.1.1", + "acorn-walk": "^7.1.1" + }, + "dependencies": { + "acorn": { + "version": "7.4.1", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-7.4.1.tgz", + "integrity": "sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==" + } + } + }, + "acorn-walk": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-7.2.0.tgz", + "integrity": "sha512-OPdCF6GsMIP+Az+aWfAAOEt2/+iVDKE7oy6lJ098aoe59oAmK76qV6Gw60SbZ8jHuG2wH058GF4pLFbYamYrVA==" + }, + "agent-base": { + "version": "6.0.2", + "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-6.0.2.tgz", + "integrity": "sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==", + "requires": { + "debug": "4" + } + }, + "ajv": { + "version": "6.12.6", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", + "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", + "requires": { + "fast-deep-equal": "^3.1.1", + "fast-json-stable-stringify": "^2.0.0", + "json-schema-traverse": "^0.4.1", + "uri-js": "^4.2.2" + } + }, + "ansi-escapes": { + "version": "4.3.2", + "resolved": "https://registry.npmjs.org/ansi-escapes/-/ansi-escapes-4.3.2.tgz", + "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", + "requires": { + "type-fest": "^0.21.3" + } + }, + "ansi-regex": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.0.tgz", + "integrity": "sha512-bY6fj56OUQ0hU1KjFNDQuJFezqKdrAyFdIevADiqrWHwSlbmBNMHp5ak2f40Pm8JTFyM2mqxkG6ngkHO11f/lg==" + }, + "ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "requires": { + "color-convert": "^2.0.1" + } + }, + "anymatch": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.2.tgz", + "integrity": "sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==", + "requires": { + "normalize-path": "^3.0.0", + "picomatch": "^2.0.4" + } + }, + "argparse": { + "version": "1.0.10", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", + "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", + "requires": { + "sprintf-js": "~1.0.2" + } + }, + "arr-diff": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/arr-diff/-/arr-diff-4.0.0.tgz", + "integrity": "sha1-1kYQdP6/7HHn4VI1dhoyml3HxSA=" + }, + "arr-flatten": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/arr-flatten/-/arr-flatten-1.1.0.tgz", + "integrity": "sha512-L3hKV5R/p5o81R7O02IGnwpDmkp6E982XhtbuwSe3O4qOtMMMtodicASA1Cny2U+aCXcNpml+m4dPsvsJ3jatg==" + }, + "arr-union": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/arr-union/-/arr-union-3.1.0.tgz", + "integrity": "sha1-45sJrqne+Gao8gbiiK9jkZuuOcQ=" + }, + "array-unique": { + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/array-unique/-/array-unique-0.3.2.tgz", + "integrity": "sha1-qJS3XUvE9s1nnvMkSp/Y9Gri1Cg=" + }, + "asn1": { + "version": "0.2.4", + "resolved": "https://registry.npmjs.org/asn1/-/asn1-0.2.4.tgz", + "integrity": "sha512-jxwzQpLQjSmWXgwaCZE9Nz+glAG01yF1QnWgbhGwHI5A6FRIEY6IVqtHhIepHqI7/kyEyQEagBC5mBEFlIYvdg==", + "requires": { + "safer-buffer": "~2.1.0" + } + }, + "assert-plus": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/assert-plus/-/assert-plus-1.0.0.tgz", + "integrity": "sha1-8S4PPF13sLHN2RRpQuTpbB5N1SU=" + }, + "assign-symbols": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/assign-symbols/-/assign-symbols-1.0.0.tgz", + "integrity": "sha1-WWZ/QfrdTyDMvCu5a41Pf3jsA2c=" + }, + "asynckit": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha1-x57Zf380y48robyXkLzDZkdLS3k=" + }, + "atob": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/atob/-/atob-2.1.2.tgz", + "integrity": "sha512-Wm6ukoaOGJi/73p/cl2GvLjTI5JM1k/O14isD73YML8StrH/7/lRFgmg8nICZgD3bZZvjwCGxtMOD3wWNAu8cg==" + }, + "aws-sign2": { + "version": "0.7.0", + "resolved": "https://registry.npmjs.org/aws-sign2/-/aws-sign2-0.7.0.tgz", + "integrity": "sha1-tG6JCTSpWR8tL2+G1+ap8bP+dqg=" + }, + "aws4": { + "version": "1.11.0", + "resolved": "https://registry.npmjs.org/aws4/-/aws4-1.11.0.tgz", + "integrity": "sha512-xh1Rl34h6Fi1DC2WWKfxUTVqRsNnr6LsKz2+hfwDxQJWmrx8+c7ylaqBMcHfl1U1r2dsifOvKX3LQuLNZ+XSvA==" + }, + "babel-jest": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/babel-jest/-/babel-jest-26.6.3.tgz", + "integrity": "sha512-pl4Q+GAVOHwvjrck6jKjvmGhnO3jHX/xuB9d27f+EJZ/6k+6nMuPjorrYp7s++bKKdANwzElBWnLWaObvTnaZA==", + "requires": { + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/babel__core": "^7.1.7", + "babel-plugin-istanbul": "^6.0.0", + "babel-preset-jest": "^26.6.2", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "slash": "^3.0.0" + } + }, + "babel-plugin-istanbul": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/babel-plugin-istanbul/-/babel-plugin-istanbul-6.0.0.tgz", + "integrity": "sha512-AF55rZXpe7trmEylbaE1Gv54wn6rwU03aptvRoVIGP8YykoSxqdVLV1TfwflBCE/QtHmqtP8SWlTENqbK8GCSQ==", + "requires": { + "@babel/helper-plugin-utils": "^7.0.0", + "@istanbuljs/load-nyc-config": "^1.0.0", + "@istanbuljs/schema": "^0.1.2", + "istanbul-lib-instrument": "^4.0.0", + "test-exclude": "^6.0.0" + } + }, + "babel-plugin-jest-hoist": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-26.6.2.tgz", + "integrity": "sha512-PO9t0697lNTmcEHH69mdtYiOIkkOlj9fySqfO3K1eCcdISevLAE0xY59VLLUj0SoiPiTX/JU2CYFpILydUa5Lw==", + "requires": { + "@babel/template": "^7.3.3", + "@babel/types": "^7.3.3", + "@types/babel__core": "^7.0.0", + "@types/babel__traverse": "^7.0.6" + } + }, + "babel-preset-current-node-syntax": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/babel-preset-current-node-syntax/-/babel-preset-current-node-syntax-1.0.1.tgz", + "integrity": "sha512-M7LQ0bxarkxQoN+vz5aJPsLBn77n8QgTFmo8WK0/44auK2xlCXrYcUxHFxgU7qW5Yzw/CjmLRK2uJzaCd7LvqQ==", + "requires": { + "@babel/plugin-syntax-async-generators": "^7.8.4", + "@babel/plugin-syntax-bigint": "^7.8.3", + "@babel/plugin-syntax-class-properties": "^7.8.3", + "@babel/plugin-syntax-import-meta": "^7.8.3", + "@babel/plugin-syntax-json-strings": "^7.8.3", + "@babel/plugin-syntax-logical-assignment-operators": "^7.8.3", + "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3", + "@babel/plugin-syntax-numeric-separator": "^7.8.3", + "@babel/plugin-syntax-object-rest-spread": "^7.8.3", + "@babel/plugin-syntax-optional-catch-binding": "^7.8.3", + "@babel/plugin-syntax-optional-chaining": "^7.8.3", + "@babel/plugin-syntax-top-level-await": "^7.8.3" + } + }, + "babel-preset-jest": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/babel-preset-jest/-/babel-preset-jest-26.6.2.tgz", + "integrity": "sha512-YvdtlVm9t3k777c5NPQIv6cxFFFapys25HiUmuSgHwIZhfifweR5c5Sf5nwE3MAbfu327CYSvps8Yx6ANLyleQ==", + "requires": { + "babel-plugin-jest-hoist": "^26.6.2", + "babel-preset-current-node-syntax": "^1.0.0" + } + }, + "balanced-match": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==" + }, + "base": { + "version": "0.11.2", + "resolved": "https://registry.npmjs.org/base/-/base-0.11.2.tgz", + "integrity": "sha512-5T6P4xPgpp0YDFvSWwEZ4NoE3aM4QBQXDzmVbraCkFj8zHM+mba8SyqB5DbZWyR7mYHo6Y7BdQo3MoA4m0TeQg==", + "requires": { + "cache-base": "^1.0.1", + "class-utils": "^0.3.5", + "component-emitter": "^1.2.1", + "define-property": "^1.0.0", + "isobject": "^3.0.1", + "mixin-deep": "^1.2.0", + "pascalcase": "^0.1.1" + }, + "dependencies": { + "define-property": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-1.0.0.tgz", + "integrity": "sha1-dp66rz9KY6rTr56NMEybvnm/sOY=", + "requires": { + "is-descriptor": "^1.0.0" + } + } + } + }, + "bcrypt-pbkdf": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.2.tgz", + "integrity": "sha1-pDAdOJtqQ/m2f/PKEaP2Y342Dp4=", + "requires": { + "tweetnacl": "^0.14.3" + } + }, + "bottleneck": { + "version": "2.19.5", + "resolved": "https://registry.npmjs.org/bottleneck/-/bottleneck-2.19.5.tgz", + "integrity": "sha512-VHiNCbI1lKdl44tGrhNfU3lup0Tj/ZBMJB5/2ZbNXRCPuRCO7ed2mgcK4r17y+KB2EfuYuRaVlwNbAeaWGSpbw==" + }, + "brace-expansion": { + "version": "1.1.11", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", + "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "requires": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "braces": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz", + "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==", + "requires": { + "fill-range": "^7.0.1" + } + }, + "browser-process-hrtime": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/browser-process-hrtime/-/browser-process-hrtime-1.0.0.tgz", + "integrity": "sha512-9o5UecI3GhkpM6DrXr69PblIuWxPKk9Y0jHBRhdocZ2y7YECBFCsHm79Pr3OyR2AvjhDkabFJaDJMYRazHgsow==" + }, + "browserslist": { + "version": "4.16.6", + "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.16.6.tgz", + "integrity": "sha512-Wspk/PqO+4W9qp5iUTJsa1B/QrYn1keNCcEP5OvP7WBwT4KaDly0uONYmC6Xa3Z5IqnUgS0KcgLYu1l74x0ZXQ==", + "requires": { + "caniuse-lite": "^1.0.30001219", + "colorette": "^1.2.2", + "electron-to-chromium": "^1.3.723", + "escalade": "^3.1.1", + "node-releases": "^1.1.71" + } + }, + "bser": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/bser/-/bser-2.1.1.tgz", + "integrity": "sha512-gQxTNE/GAfIIrmHLUE3oJyp5FO6HRBfhjnw4/wMmA63ZGDJnWBmgY/lyQBpnDUkGmAhbSe39tx2d/iTOAfglwQ==", + "requires": { + "node-int64": "^0.4.0" + } + }, + "buffer-from": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.1.tgz", + "integrity": "sha512-MQcXEUbCKtEo7bhqEs6560Hyd4XaovZlO/k9V3hjVUF/zwW7KBVdSK4gIt/bzwS9MbR5qob+F5jusZsb0YQK2A==" + }, + "bufferutil": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/bufferutil/-/bufferutil-4.0.3.tgz", + "integrity": "sha512-yEYTwGndELGvfXsImMBLop58eaGW+YdONi1fNjTINSY98tmMmFijBG6WXgdkfuLNt4imzQNtIE+eBp1PVpMCSw==", + "requires": { + "node-gyp-build": "^4.2.0" + } + }, + "cache-base": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/cache-base/-/cache-base-1.0.1.tgz", + "integrity": "sha512-AKcdTnFSWATd5/GCPRxr2ChwIJ85CeyrEyjRHlKxQ56d4XJMGym0uAiKn0xbLOGOl3+yRpOTi484dVCEc5AUzQ==", + "requires": { + "collection-visit": "^1.0.0", + "component-emitter": "^1.2.1", + "get-value": "^2.0.6", + "has-value": "^1.0.0", + "isobject": "^3.0.1", + "set-value": "^2.0.0", + "to-object-path": "^0.3.0", + "union-value": "^1.0.0", + "unset-value": "^1.0.0" + } + }, + "cacheable-lookup": { + "version": "5.0.4", + "resolved": "https://registry.npmjs.org/cacheable-lookup/-/cacheable-lookup-5.0.4.tgz", + "integrity": "sha512-2/kNscPhpcxrOigMZzbiWF7dz8ilhb/nIHU3EyZiXWXpeq/au8qJ8VhdftMkty3n7Gj6HIGalQG8oiBNB3AJgA==" + }, + "cacheable-request": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/cacheable-request/-/cacheable-request-7.0.1.tgz", + "integrity": "sha512-lt0mJ6YAnsrBErpTMWeu5kl/tg9xMAWjavYTN6VQXM1A/teBITuNcccXsCxF0tDQQJf9DfAaX5O4e0zp0KlfZw==", + "requires": { + "clone-response": "^1.0.2", + "get-stream": "^5.1.0", + "http-cache-semantics": "^4.0.0", + "keyv": "^4.0.0", + "lowercase-keys": "^2.0.0", + "normalize-url": "^4.1.0", + "responselike": "^2.0.0" + } + }, + "callsites": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", + "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==" + }, + "camelcase": { + "version": "5.3.1", + "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-5.3.1.tgz", + "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==" + }, + "caniuse-lite": { + "version": "1.0.30001228", + "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001228.tgz", + "integrity": "sha512-QQmLOGJ3DEgokHbMSA8cj2a+geXqmnpyOFT0lhQV6P3/YOJvGDEwoedcwxEQ30gJIwIIunHIicunJ2rzK5gB2A==" + }, + "capture-exit": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/capture-exit/-/capture-exit-2.0.0.tgz", + "integrity": "sha512-PiT/hQmTonHhl/HFGN+Lx3JJUznrVYJ3+AQsnthneZbvW7x+f08Tk7yLJTLEOUvBTbduLeeBkxEaYXUOUrRq6g==", + "requires": { + "rsvp": "^4.8.4" + } + }, + "caseless": { + "version": "0.12.0", + "resolved": "https://registry.npmjs.org/caseless/-/caseless-0.12.0.tgz", + "integrity": "sha1-G2gcIf+EAzyCZUMJBolCDRhxUdw=" + }, + "chalk": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.0.tgz", + "integrity": "sha512-qwx12AxXe2Q5xQ43Ac//I6v5aXTipYrSESdOgzrN+9XjgEpyjpKuvSGaN4qE93f7TQTlerQQ8S+EQ0EyDoVL1A==", + "requires": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + } + }, + "char-regex": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/char-regex/-/char-regex-1.0.2.tgz", + "integrity": "sha512-kWWXztvZ5SBQV+eRgKFeh8q5sLuZY2+8WUIzlxWVTg+oGwY14qylx1KbKzHd8P6ZYkAg0xyIDU9JMHhyJMZ1jw==" + }, + "ci-info": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ci-info/-/ci-info-2.0.0.tgz", + "integrity": "sha512-5tK7EtrZ0N+OLFMthtqOj4fI2Jeb88C4CAZPu25LDVUgXJ0A3Js4PMGqrn0JU1W0Mh1/Z8wZzYPxqUrXeBboCQ==" + }, + "cjs-module-lexer": { + "version": "0.6.0", + "resolved": "https://registry.npmjs.org/cjs-module-lexer/-/cjs-module-lexer-0.6.0.tgz", + "integrity": "sha512-uc2Vix1frTfnuzxxu1Hp4ktSvM3QaI4oXl4ZUqL1wjTu/BGki9TrCWoqLTg/drR1KwAEarXuRFCG2Svr1GxPFw==" + }, + "class-utils": { + "version": "0.3.6", + "resolved": "https://registry.npmjs.org/class-utils/-/class-utils-0.3.6.tgz", + "integrity": "sha512-qOhPa/Fj7s6TY8H8esGu5QNpMMQxz79h+urzrNYN6mn+9BnxlDGf5QZ+XeCDsxSjPqsSR56XOZOJmpeurnLMeg==", + "requires": { + "arr-union": "^3.1.0", + "define-property": "^0.2.5", + "isobject": "^3.0.0", + "static-extend": "^0.1.1" + }, + "dependencies": { + "define-property": { + "version": "0.2.5", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY=", + "requires": { + "is-descriptor": "^0.1.0" + } + }, + "is-accessor-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz", + "integrity": "sha1-qeEss66Nh2cn7u84Q/igiXtcmNY=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "is-data-descriptor": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz", + "integrity": "sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "is-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-0.1.6.tgz", + "integrity": "sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg==", + "requires": { + "is-accessor-descriptor": "^0.1.6", + "is-data-descriptor": "^0.1.4", + "kind-of": "^5.0.0" + } + }, + "kind-of": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==" + } + } + }, + "cliui": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/cliui/-/cliui-6.0.0.tgz", + "integrity": "sha512-t6wbgtoCXvAzst7QgXxJYqPt0usEfbgQdftEPbLL/cvv6HPE5VgvqCuAIDR0NgU52ds6rFwqrgakNLrHEjCbrQ==", + "requires": { + "string-width": "^4.2.0", + "strip-ansi": "^6.0.0", + "wrap-ansi": "^6.2.0" + } + }, + "clone": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/clone/-/clone-2.1.2.tgz", + "integrity": "sha1-G39Ln1kfHo+DZwQBYANFoCiHQ18=" + }, + "clone-response": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/clone-response/-/clone-response-1.0.2.tgz", + "integrity": "sha1-0dyXOSAxTfZ/vrlCI7TuNQI56Ws=", + "requires": { + "mimic-response": "^1.0.0" + } + }, + "co": { + "version": "4.6.0", + "resolved": "https://registry.npmjs.org/co/-/co-4.6.0.tgz", + "integrity": "sha1-bqa989hTrlTMuOR7+gvz+QMfsYQ=" + }, + "collect-v8-coverage": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/collect-v8-coverage/-/collect-v8-coverage-1.0.1.tgz", + "integrity": "sha512-iBPtljfCNcTKNAto0KEtDfZ3qzjJvqE3aTGZsbhjSBlorqpXJlaWWtPO35D+ZImoC3KWejX64o+yPGxhWSTzfg==" + }, + "collection-visit": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/collection-visit/-/collection-visit-1.0.0.tgz", + "integrity": "sha1-S8A3PBZLwykbTTaMgpzxqApZ3KA=", + "requires": { + "map-visit": "^1.0.0", + "object-visit": "^1.0.0" + } + }, + "color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "requires": { + "color-name": "~1.1.4" + } + }, + "color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==" + }, + "colorette": { + "version": "1.2.2", + "resolved": "https://registry.npmjs.org/colorette/-/colorette-1.2.2.tgz", + "integrity": "sha512-MKGMzyfeuutC/ZJ1cba9NqcNpfeqMUcYmyF1ZFY6/Cn7CNSAKx6a+s48sqLqyAiZuaP2TcqMhoo+dlwFnVxT9w==" + }, + "colors": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/colors/-/colors-1.4.0.tgz", + "integrity": "sha512-a+UqTh4kgZg/SlGvfbzDHpgRu7AAQOmmqRHJnxhRZICKFUT91brVhNNt58CMWU9PsBbv3PDCZUHbVxuDiH2mtA==" + }, + "combined-stream": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "requires": { + "delayed-stream": "~1.0.0" + } + }, + "component-emitter": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/component-emitter/-/component-emitter-1.3.0.tgz", + "integrity": "sha512-Rd3se6QB+sO1TwqZjscQrurpEPIfO0/yYnSin6Q/rD3mOutHvUrCAhJub3r90uNb+SESBuE0QYoB90YdfatsRg==" + }, + "concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha1-2Klr13/Wjfd5OnMDajug1UBdR3s=" + }, + "convert-source-map": { + "version": "1.7.0", + "resolved": "https://registry.npmjs.org/convert-source-map/-/convert-source-map-1.7.0.tgz", + "integrity": "sha512-4FJkXzKXEDB1snCFZlLP4gpC3JILicCpGbzG9f9G7tGqGCzETQ2hWPrcinA9oU4wtf2biUaEH5065UnMeR33oA==", + "requires": { + "safe-buffer": "~5.1.1" + } + }, + "copy-descriptor": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/copy-descriptor/-/copy-descriptor-0.1.1.tgz", + "integrity": "sha1-Z29us8OZl8LuGsOpJP1hJHSPV40=" + }, + "core-util-is": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/core-util-is/-/core-util-is-1.0.2.tgz", + "integrity": "sha1-tf1UIgqivFq1eqtxQMlAdUUDwac=" + }, + "cross-spawn": { + "version": "7.0.3", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", + "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", + "requires": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + } + }, + "cssom": { + "version": "0.4.4", + "resolved": "https://registry.npmjs.org/cssom/-/cssom-0.4.4.tgz", + "integrity": "sha512-p3pvU7r1MyyqbTk+WbNJIgJjG2VmTIaB10rI93LzVPrmDJKkzKYMtxxyAvQXR/NS6otuzveI7+7BBq3SjBS2mw==" + }, + "cssstyle": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/cssstyle/-/cssstyle-2.3.0.tgz", + "integrity": "sha512-AZL67abkUzIuvcHqk7c09cezpGNcxUxU4Ioi/05xHk4DQeTkWmGYftIE6ctU6AEt+Gn4n1lDStOtj7FKycP71A==", + "requires": { + "cssom": "~0.3.6" + }, + "dependencies": { + "cssom": { + "version": "0.3.8", + "resolved": "https://registry.npmjs.org/cssom/-/cssom-0.3.8.tgz", + "integrity": "sha512-b0tGHbfegbhPJpxpiBPU2sCkigAqtM9O121le6bbOlgyV+NyGyCmVfJ6QW9eRjz8CpNfWEOYBIMIGRYkLwsIYg==" + } + } + }, + "dashdash": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/dashdash/-/dashdash-1.14.1.tgz", + "integrity": "sha1-hTz6D3y+L+1d4gMmuN1YEDX24vA=", + "requires": { + "assert-plus": "^1.0.0" + } + }, + "data-urls": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/data-urls/-/data-urls-2.0.0.tgz", + "integrity": "sha512-X5eWTSXO/BJmpdIKCRuKUgSCgAN0OwliVK3yPKbwIWU1Tdw5BRajxlzMidvh+gwko9AfQ9zIj52pzF91Q3YAvQ==", + "requires": { + "abab": "^2.0.3", + "whatwg-mimetype": "^2.3.0", + "whatwg-url": "^8.0.0" + } + }, + "dateformat": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/dateformat/-/dateformat-3.0.3.tgz", + "integrity": "sha512-jyCETtSl3VMZMWeRo7iY1FL19ges1t55hMo5yaam4Jrsm5EPL89UQkoQRyiI+Yf4k8r2ZpdngkV8hr1lIdjb3Q==" + }, + "debug": { + "version": "4.3.1", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.1.tgz", + "integrity": "sha512-doEwdvm4PCeK4K3RQN2ZC2BYUBaxwLARCqZmMjtF8a51J2Rb0xpVloFRnCODwqjpwnAoao4pelN8l3RJdv3gRQ==", + "requires": { + "ms": "2.1.2" + } + }, + "decamelize": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/decamelize/-/decamelize-1.2.0.tgz", + "integrity": "sha1-9lNNFRSCabIDUue+4m9QH5oZEpA=" + }, + "decimal.js": { + "version": "10.2.1", + "resolved": "https://registry.npmjs.org/decimal.js/-/decimal.js-10.2.1.tgz", + "integrity": "sha512-KaL7+6Fw6i5A2XSnsbhm/6B+NuEA7TZ4vqxnd5tXz9sbKtrN9Srj8ab4vKVdK8YAqZO9P1kg45Y6YLoduPf+kw==" + }, + "decode-uri-component": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/decode-uri-component/-/decode-uri-component-0.2.0.tgz", + "integrity": "sha1-6zkTMzRYd1y4TNGh+uBiEGu4dUU=" + }, + "decompress-response": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/decompress-response/-/decompress-response-6.0.0.tgz", + "integrity": "sha512-aW35yZM6Bb/4oJlZncMH2LCoZtJXTRxES17vE3hoRiowU2kWHaJKFkSBDnDR+cm9J+9QhXmREyIfv0pji9ejCQ==", + "requires": { + "mimic-response": "^3.1.0" + }, + "dependencies": { + "mimic-response": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/mimic-response/-/mimic-response-3.1.0.tgz", + "integrity": "sha512-z0yWI+4FDrrweS8Zmt4Ej5HdJmky15+L2e6Wgn3+iK5fWzb6T3fhNFq2+MeTRb064c6Wr4N/wv0DzQTjNzHNGQ==" + } + } + }, + "deep-is": { + "version": "0.1.3", + "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.3.tgz", + "integrity": "sha1-s2nW+128E+7PUk+RsHD+7cNXzzQ=" + }, + "deepmerge": { + "version": "4.2.2", + "resolved": "https://registry.npmjs.org/deepmerge/-/deepmerge-4.2.2.tgz", + "integrity": "sha512-FJ3UgI4gIl+PHZm53knsuSFpE+nESMr7M4v9QcgB7S63Kj/6WqMiFQJpBBYz1Pt+66bZpP3Q7Lye0Oo9MPKEdg==" + }, + "defer-to-connect": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/defer-to-connect/-/defer-to-connect-2.0.1.tgz", + "integrity": "sha512-4tvttepXG1VaYGrRibk5EwJd1t4udunSOVMdLSAL6mId1ix438oPwPZMALY41FCijukO1L0twNcGsdzS7dHgDg==" + }, + "define-property": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-2.0.2.tgz", + "integrity": "sha512-jwK2UV4cnPpbcG7+VRARKTZPUWowwXA8bzH5NP6ud0oeAxyYPuGZUAC7hMugpCdz4BeSZl2Dl9k66CHJ/46ZYQ==", + "requires": { + "is-descriptor": "^1.0.2", + "isobject": "^3.0.1" + } + }, + "delayed-stream": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha1-3zrhmayt+31ECqrgsp4icrJOxhk=" + }, + "detect-newline": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/detect-newline/-/detect-newline-3.1.0.tgz", + "integrity": "sha512-TLz+x/vEXm/Y7P7wn1EJFNLxYpUD4TgMosxY6fAVJUnJMbupHBOncxyWUG9OpTaH9EBD7uFI5LfEgmMOc54DsA==" + }, + "diff-sequences": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/diff-sequences/-/diff-sequences-26.6.2.tgz", + "integrity": "sha512-Mv/TDa3nZ9sbc5soK+OoA74BsS3mL37yixCvUAQkiuA4Wz6YtwP/K47n2rv2ovzHZvoiQeA5FTQOschKkEwB0Q==" + }, + "domexception": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/domexception/-/domexception-2.0.1.tgz", + "integrity": "sha512-yxJ2mFy/sibVQlu5qHjOkf9J3K6zgmCxgJ94u2EdvDOV09H+32LtRswEcUsmUWN72pVLOEnTSRaIVVzVQgS0dg==", + "requires": { + "webidl-conversions": "^5.0.0" + }, + "dependencies": { + "webidl-conversions": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-5.0.0.tgz", + "integrity": "sha512-VlZwKPCkYKxQgeSbH5EyngOmRp7Ww7I9rQLERETtf5ofd9pGeswWiOtogpEO850jziPRarreGxn5QIiTqpb2wA==" + } + } + }, + "ecc-jsbn": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/ecc-jsbn/-/ecc-jsbn-0.1.2.tgz", + "integrity": "sha1-OoOpBOVDUyh4dMVkt1SThoSamMk=", + "requires": { + "jsbn": "~0.1.0", + "safer-buffer": "^2.1.0" + } + }, + "electron-to-chromium": { + "version": "1.3.732", + "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.3.732.tgz", + "integrity": "sha512-qKD5Pbq+QMk4nea4lMuncUMhpEiQwaJyCW7MrvissnRcBDENhVfDmAqQYRQ3X525oTzhar9Zh1cK0L2d1UKYcw==" + }, + "emittery": { + "version": "0.7.2", + "resolved": "https://registry.npmjs.org/emittery/-/emittery-0.7.2.tgz", + "integrity": "sha512-A8OG5SR/ij3SsJdWDJdkkSYUjQdCUx6APQXem0SaEePBSRg4eymGYwBkKo1Y6DU+af/Jn2dBQqDBvjnr9Vi8nQ==" + }, + "emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==" + }, + "end-of-stream": { + "version": "1.4.4", + "resolved": "https://registry.npmjs.org/end-of-stream/-/end-of-stream-1.4.4.tgz", + "integrity": "sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==", + "requires": { + "once": "^1.4.0" + } + }, + "error-ex": { + "version": "1.3.2", + "resolved": "https://registry.npmjs.org/error-ex/-/error-ex-1.3.2.tgz", + "integrity": "sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==", + "requires": { + "is-arrayish": "^0.2.1" + } + }, + "escalade": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.1.1.tgz", + "integrity": "sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==" + }, + "escape-string-regexp": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", + "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==" + }, + "escodegen": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/escodegen/-/escodegen-2.0.0.tgz", + "integrity": "sha512-mmHKys/C8BFUGI+MAWNcSYoORYLMdPzjrknd2Vc+bUsjN5bXcr8EhrNB+UTqfL1y3I9c4fw2ihgtMPQLBRiQxw==", + "requires": { + "esprima": "^4.0.1", + "estraverse": "^5.2.0", + "esutils": "^2.0.2", + "optionator": "^0.8.1", + "source-map": "~0.6.1" + } + }, + "esprima": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", + "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==" + }, + "estraverse": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.2.0.tgz", + "integrity": "sha512-BxbNGGNm0RyRYvUdHpIwv9IWzeM9XClbOxwoATuFdOE7ZE6wHL+HQ5T8hoPM+zHvmKzzsEqhgy0GrQ5X13afiQ==" + }, + "esutils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", + "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==" + }, + "exec-sh": { + "version": "0.3.6", + "resolved": "https://registry.npmjs.org/exec-sh/-/exec-sh-0.3.6.tgz", + "integrity": "sha512-nQn+hI3yp+oD0huYhKwvYI32+JFeq+XkNcD1GAo3Y/MjxsfVGmrrzrnzjWiNY6f+pUCP440fThsFh5gZrRAU/w==" + }, + "execa": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/execa/-/execa-4.1.0.tgz", + "integrity": "sha512-j5W0//W7f8UxAn8hXVnwG8tLwdiUy4FJLcSupCg6maBYZDpyBvTApK7KyuI4bKj8KOh1r2YH+6ucuYtJv1bTZA==", + "requires": { + "cross-spawn": "^7.0.0", + "get-stream": "^5.0.0", + "human-signals": "^1.1.1", + "is-stream": "^2.0.0", + "merge-stream": "^2.0.0", + "npm-run-path": "^4.0.0", + "onetime": "^5.1.0", + "signal-exit": "^3.0.2", + "strip-final-newline": "^2.0.0" + } + }, + "exit": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/exit/-/exit-0.1.2.tgz", + "integrity": "sha1-BjJjj42HfMghB9MKD/8aF8uhzQw=" + }, + "expand-brackets": { + "version": "2.1.4", + "resolved": "https://registry.npmjs.org/expand-brackets/-/expand-brackets-2.1.4.tgz", + "integrity": "sha1-t3c14xXOMPa27/D4OwQVGiJEliI=", + "requires": { + "debug": "^2.3.3", + "define-property": "^0.2.5", + "extend-shallow": "^2.0.1", + "posix-character-classes": "^0.1.0", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.1" + }, + "dependencies": { + "debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "requires": { + "ms": "2.0.0" + } + }, + "define-property": { + "version": "0.2.5", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY=", + "requires": { + "is-descriptor": "^0.1.0" + } + }, + "extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "requires": { + "is-extendable": "^0.1.0" + } + }, + "is-accessor-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz", + "integrity": "sha1-qeEss66Nh2cn7u84Q/igiXtcmNY=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "is-data-descriptor": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz", + "integrity": "sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "is-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-0.1.6.tgz", + "integrity": "sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg==", + "requires": { + "is-accessor-descriptor": "^0.1.6", + "is-data-descriptor": "^0.1.4", + "kind-of": "^5.0.0" + } + }, + "is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=" + }, + "kind-of": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==" + }, + "ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g=" + } + } + }, + "expect": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/expect/-/expect-26.6.2.tgz", + "integrity": "sha512-9/hlOBkQl2l/PLHJx6JjoDF6xPKcJEsUlWKb23rKE7KzeDqUZKXKNMW27KIue5JMdBV9HgmoJPcc8HtO85t9IA==", + "requires": { + "@jest/types": "^26.6.2", + "ansi-styles": "^4.0.0", + "jest-get-type": "^26.3.0", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-regex-util": "^26.0.0" + } + }, + "extend": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/extend/-/extend-3.0.2.tgz", + "integrity": "sha512-fjquC59cD7CyW6urNXK0FBufkZcoiGG80wTuPujX590cB5Ttln20E2UB4S/WARVqhXffZl2LNgS+gQdPIIim/g==" + }, + "extend-shallow": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-3.0.2.tgz", + "integrity": "sha1-Jqcarwc7OfshJxcnRhMcJwQCjbg=", + "requires": { + "assign-symbols": "^1.0.0", + "is-extendable": "^1.0.1" + } + }, + "extglob": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/extglob/-/extglob-2.0.4.tgz", + "integrity": "sha512-Nmb6QXkELsuBr24CJSkilo6UHHgbekK5UiZgfE6UHD3Eb27YC6oD+bhcT+tJ6cl8dmsgdQxnWlcry8ksBIBLpw==", + "requires": { + "array-unique": "^0.3.2", + "define-property": "^1.0.0", + "expand-brackets": "^2.1.4", + "extend-shallow": "^2.0.1", + "fragment-cache": "^0.2.1", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.1" + }, + "dependencies": { + "define-property": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-1.0.0.tgz", + "integrity": "sha1-dp66rz9KY6rTr56NMEybvnm/sOY=", + "requires": { + "is-descriptor": "^1.0.0" + } + }, + "extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "requires": { + "is-extendable": "^0.1.0" + } + }, + "is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=" + } + } + }, + "extsprintf": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/extsprintf/-/extsprintf-1.3.0.tgz", + "integrity": "sha1-lpGEQOMEGnpBT4xS48V06zw+HgU=" + }, + "fast-deep-equal": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", + "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==" + }, + "fast-json-stable-stringify": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", + "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==" + }, + "fast-levenshtein": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", + "integrity": "sha1-PYpcZog6FqMMqGQ+hR8Zuqd5eRc=" + }, + "fb-watchman": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/fb-watchman/-/fb-watchman-2.0.1.tgz", + "integrity": "sha512-DkPJKQeY6kKwmuMretBhr7G6Vodr7bFwDYTXIkfG1gjvNpaxBTQV3PbXg6bR1c1UP4jPOX0jHUbbHANL9vRjVg==", + "requires": { + "bser": "2.1.1" + } + }, + "fill-range": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz", + "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==", + "requires": { + "to-regex-range": "^5.0.1" + } + }, + "find-up": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", + "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", + "requires": { + "locate-path": "^5.0.0", + "path-exists": "^4.0.0" + } + }, + "for-in": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/for-in/-/for-in-1.0.2.tgz", + "integrity": "sha1-gQaNKVqBQuwKxybG4iAMMPttXoA=" + }, + "forever-agent": { + "version": "0.6.1", + "resolved": "https://registry.npmjs.org/forever-agent/-/forever-agent-0.6.1.tgz", + "integrity": "sha1-+8cfDEGt6zf5bFd60e1C2P2sypE=" + }, + "form-data": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-2.3.3.tgz", + "integrity": "sha512-1lLKB2Mu3aGP1Q/2eCOx0fNbRMe7XdwktwOruhfqqd0rIJWwN4Dh+E3hrPSlDCXnSR7UtZ1N38rVXm+6+MEhJQ==", + "requires": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.6", + "mime-types": "^2.1.12" + } + }, + "fragment-cache": { + "version": "0.2.1", + "resolved": "https://registry.npmjs.org/fragment-cache/-/fragment-cache-0.2.1.tgz", + "integrity": "sha1-QpD60n8T6Jvn8zeZxrxaCr//DRk=", + "requires": { + "map-cache": "^0.2.2" + } + }, + "fs.realpath": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", + "integrity": "sha1-FQStJSMVjKpA20onh8sBQRmU6k8=" + }, + "fsevents": { + "version": "2.3.2", + "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz", + "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==", + "optional": true + }, + "function-bind": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", + "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==" + }, + "gensync": { + "version": "1.0.0-beta.2", + "resolved": "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz", + "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==" + }, + "get-caller-file": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz", + "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==" + }, + "get-package-type": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/get-package-type/-/get-package-type-0.1.0.tgz", + "integrity": "sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q==" + }, + "get-stream": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-5.2.0.tgz", + "integrity": "sha512-nBF+F1rAZVCu/p7rjzgA+Yb4lfYXrpl7a6VmJrU8wF9I1CKvP/QwPNZHnOlwbTkY6dvtFIzFMSyQXbLoTQPRpA==", + "requires": { + "pump": "^3.0.0" + } + }, + "get-value": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/get-value/-/get-value-2.0.6.tgz", + "integrity": "sha1-3BXKHGcjh8p2vTesCjlbogQqLCg=" + }, + "getpass": { + "version": "0.1.7", + "resolved": "https://registry.npmjs.org/getpass/-/getpass-0.1.7.tgz", + "integrity": "sha1-Xv+OPmhNVprkyysSgmBOi6YhSfo=", + "requires": { + "assert-plus": "^1.0.0" + } + }, + "glob": { + "version": "7.1.7", + "resolved": "https://registry.npmjs.org/glob/-/glob-7.1.7.tgz", + "integrity": "sha512-OvD9ENzPLbegENnYP5UUfJIirTg4+XwMWGaQfQTY0JenxNvvIKP3U3/tAQSPIu/lHxXYSZmpXlUHeqAIdKzBLQ==", + "requires": { + "fs.realpath": "^1.0.0", + "inflight": "^1.0.4", + "inherits": "2", + "minimatch": "^3.0.4", + "once": "^1.3.0", + "path-is-absolute": "^1.0.0" + } + }, + "globals": { + "version": "11.12.0", + "resolved": "https://registry.npmjs.org/globals/-/globals-11.12.0.tgz", + "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==" + }, "got": { "version": "11.8.2", "resolved": "https://registry.npmjs.org/got/-/got-11.8.2.tgz", "integrity": "sha512-D0QywKgIe30ODs+fm8wMZiAcZjypcCodPNuMz5H9Mny7RJ+IjJ10BdmGW7OM7fHXP+O7r6ZwapQ/YQmMSvB0UQ==", "requires": { - "@sindresorhus/is": "^4.0.0", - "@szmarczak/http-timer": "^4.0.5", - "@types/cacheable-request": "^6.0.1", - "@types/responselike": "^1.0.0", - "cacheable-lookup": "^5.0.3", - "cacheable-request": "^7.0.1", - "decompress-response": "^6.0.0", - "http2-wrapper": "^1.0.0-beta.5.2", - "lowercase-keys": "^2.0.0", - "p-cancelable": "^2.0.0", - "responselike": "^2.0.0" + "@sindresorhus/is": "^4.0.0", + "@szmarczak/http-timer": "^4.0.5", + "@types/cacheable-request": "^6.0.1", + "@types/responselike": "^1.0.0", + "cacheable-lookup": "^5.0.3", + "cacheable-request": "^7.0.1", + "decompress-response": "^6.0.0", + "http2-wrapper": "^1.0.0-beta.5.2", + "lowercase-keys": "^2.0.0", + "p-cancelable": "^2.0.0", + "responselike": "^2.0.0" + } + }, + "graceful-fs": { + "version": "4.2.6", + "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.6.tgz", + "integrity": "sha512-nTnJ528pbqxYanhpDYsi4Rd8MAeaBA67+RZ10CM1m3bTAVFEDcd5AuA4a6W5YkGZ1iNXHzZz8T6TBKLeBuNriQ==" + }, + "growly": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/growly/-/growly-1.3.0.tgz", + "integrity": "sha1-8QdIy+dq+WS3yWyTxrzCivEgwIE=", + "optional": true + }, + "har-schema": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/har-schema/-/har-schema-2.0.0.tgz", + "integrity": "sha1-qUwiJOvKwEeCoNkDVSHyRzW37JI=" + }, + "har-validator": { + "version": "5.1.5", + "resolved": "https://registry.npmjs.org/har-validator/-/har-validator-5.1.5.tgz", + "integrity": "sha512-nmT2T0lljbxdQZfspsno9hgrG3Uir6Ks5afism62poxqBM6sDnMEuPmzTq8XN0OEwqKLLdh1jQI3qyE66Nzb3w==", + "requires": { + "ajv": "^6.12.3", + "har-schema": "^2.0.0" + } + }, + "has": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", + "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", + "requires": { + "function-bind": "^1.1.1" + } + }, + "has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==" + }, + "has-value": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/has-value/-/has-value-1.0.0.tgz", + "integrity": "sha1-GLKB2lhbHFxR3vJMkw7SmgvmsXc=", + "requires": { + "get-value": "^2.0.6", + "has-values": "^1.0.0", + "isobject": "^3.0.0" + } + }, + "has-values": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/has-values/-/has-values-1.0.0.tgz", + "integrity": "sha1-lbC2P+whRmGab+V/51Yo1aOe/k8=", + "requires": { + "is-number": "^3.0.0", + "kind-of": "^4.0.0" + }, + "dependencies": { + "is-number": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-3.0.0.tgz", + "integrity": "sha1-JP1iAaR4LPUFYcgQJ2r8fRLXEZU=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "kind-of": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-4.0.0.tgz", + "integrity": "sha1-IIE989cSkosgc3hpGkUGb65y3Vc=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "hosted-git-info": { + "version": "2.8.9", + "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-2.8.9.tgz", + "integrity": "sha512-mxIDAb9Lsm6DoOJ7xH+5+X4y1LU/4Hi50L9C5sIswK3JzULS4bwk1FvjdBgvYR4bzT4tuUQiC15FE2f5HbLvYw==" + }, + "html-encoding-sniffer": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-2.0.1.tgz", + "integrity": "sha512-D5JbOMBIR/TVZkubHT+OyT2705QvogUW4IBn6nHd756OwieSF9aDYFj4dv6HHEVGYbHaLETa3WggZYWWMyy3ZQ==", + "requires": { + "whatwg-encoding": "^1.0.5" + } + }, + "html-escaper": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/html-escaper/-/html-escaper-2.0.2.tgz", + "integrity": "sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg==" + }, + "http-cache-semantics": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/http-cache-semantics/-/http-cache-semantics-4.1.0.tgz", + "integrity": "sha512-carPklcUh7ROWRK7Cv27RPtdhYhUsela/ue5/jKzjegVvXDqM2ILE9Q2BGn9JZJh1g87cp56su/FgQSzcWS8cQ==" + }, + "http-signature": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/http-signature/-/http-signature-1.2.0.tgz", + "integrity": "sha1-muzZJRFHcvPZW2WmCruPfBj7rOE=", + "requires": { + "assert-plus": "^1.0.0", + "jsprim": "^1.2.2", + "sshpk": "^1.7.0" + } + }, + "http2-wrapper": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/http2-wrapper/-/http2-wrapper-1.0.3.tgz", + "integrity": "sha512-V+23sDMr12Wnz7iTcDeJr3O6AIxlnvT/bmaAAAP/Xda35C90p9599p0F1eHR/N1KILWSoWVAiOMFjBBXaXSMxg==", + "requires": { + "quick-lru": "^5.1.1", + "resolve-alpn": "^1.0.0" + } + }, + "https-proxy-agent": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.0.tgz", + "integrity": "sha512-EkYm5BcKUGiduxzSt3Eppko+PiNWNEpa4ySk9vTC6wDsQJW9rHSa+UhGNJoRYp7bz6Ht1eaRIa6QaJqO5rCFbA==", + "requires": { + "agent-base": "6", + "debug": "4" + } + }, + "human-signals": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/human-signals/-/human-signals-1.1.1.tgz", + "integrity": "sha512-SEQu7vl8KjNL2eoGBLF3+wAjpsNfA9XMlXAYj/3EdaNfAlxKthD1xjEQfGOUhllCGGJVNY34bRr6lPINhNjyZw==" + }, + "iconv-lite": { + "version": "0.4.24", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", + "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", + "requires": { + "safer-buffer": ">= 2.1.2 < 3" + } + }, + "import-local": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/import-local/-/import-local-3.0.2.tgz", + "integrity": "sha512-vjL3+w0oulAVZ0hBHnxa/Nm5TAurf9YLQJDhqRZyqb+VKGOB6LU8t9H1Nr5CIo16vh9XfJTOoHwU0B71S557gA==", + "requires": { + "pkg-dir": "^4.2.0", + "resolve-cwd": "^3.0.0" + } + }, + "imurmurhash": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", + "integrity": "sha1-khi5srkoojixPcT7a21XbyMUU+o=" + }, + "inflight": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", + "integrity": "sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk=", + "requires": { + "once": "^1.3.0", + "wrappy": "1" + } + }, + "inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" + }, + "is-accessor-descriptor": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-1.0.0.tgz", + "integrity": "sha512-m5hnHTkcVsPfqx3AKlyttIPb7J+XykHvJP2B9bZDjlhLIoEq4XoK64Vg7boZlVWYK6LUY94dYPEE7Lh0ZkZKcQ==", + "requires": { + "kind-of": "^6.0.0" + } + }, + "is-arrayish": { + "version": "0.2.1", + "resolved": "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.2.1.tgz", + "integrity": "sha1-d8mYQFJ6qOyxqLppe4BkWnqSap0=" + }, + "is-buffer": { + "version": "1.1.6", + "resolved": "https://registry.npmjs.org/is-buffer/-/is-buffer-1.1.6.tgz", + "integrity": "sha512-NcdALwpXkTm5Zvvbk7owOUSvVvBKDgKP5/ewfXEznmQFfs4ZRmanOeKBTjRVjka3QFoN6XJ+9F3USqfHqTaU5w==" + }, + "is-ci": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/is-ci/-/is-ci-2.0.0.tgz", + "integrity": "sha512-YfJT7rkpQB0updsdHLGWrvhBJfcfzNNawYDNIyQXJz0IViGf75O8EBPKSdvw2rF+LGCsX4FZ8tcr3b19LcZq4w==", + "requires": { + "ci-info": "^2.0.0" + } + }, + "is-core-module": { + "version": "2.4.0", + "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.4.0.tgz", + "integrity": "sha512-6A2fkfq1rfeQZjxrZJGerpLCTHRNEBiSgnu0+obeJpEPZRUooHgsizvzv0ZjJwOz3iWIHdJtVWJ/tmPr3D21/A==", + "requires": { + "has": "^1.0.3" + } + }, + "is-data-descriptor": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-1.0.0.tgz", + "integrity": "sha512-jbRXy1FmtAoCjQkVmIVYwuuqDFUbaOeDjmed1tOGPrsMhtJA4rD9tkgA0F1qJ3gRFRXcHYVkdeaP50Q5rE/jLQ==", + "requires": { + "kind-of": "^6.0.0" + } + }, + "is-descriptor": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-1.0.2.tgz", + "integrity": "sha512-2eis5WqQGV7peooDyLmNEPUrps9+SXX5c9pL3xEB+4e9HnGuDa7mB7kHxHw4CbqS9k1T2hOH3miL8n8WtiYVtg==", + "requires": { + "is-accessor-descriptor": "^1.0.0", + "is-data-descriptor": "^1.0.0", + "kind-of": "^6.0.2" + } + }, + "is-docker": { + "version": "2.2.1", + "resolved": "https://registry.npmjs.org/is-docker/-/is-docker-2.2.1.tgz", + "integrity": "sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ==", + "optional": true + }, + "is-extendable": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-1.0.1.tgz", + "integrity": "sha512-arnXMxT1hhoKo9k1LZdmlNyJdDDfy2v0fXjFlmok4+i8ul/6WlbVge9bhM74OpNPQPMGUToDtz+KXa1PneJxOA==", + "requires": { + "is-plain-object": "^2.0.4" + } + }, + "is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==" + }, + "is-generator-fn": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/is-generator-fn/-/is-generator-fn-2.1.0.tgz", + "integrity": "sha512-cTIB4yPYL/Grw0EaSzASzg6bBy9gqCofvWN8okThAYIxKJZC+udlRAmGbM0XLeniEJSs8uEgHPGuHSe1XsOLSQ==" + }, + "is-number": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", + "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==" + }, + "is-plain-object": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/is-plain-object/-/is-plain-object-2.0.4.tgz", + "integrity": "sha512-h5PpgXkWitc38BBMYawTYMWJHFZJVnBquFE57xFpjB8pJFiF6gZ+bU+WyI/yqXiFR5mdLsgYNaPe8uao6Uv9Og==", + "requires": { + "isobject": "^3.0.1" + } + }, + "is-potential-custom-element-name": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz", + "integrity": "sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==" + }, + "is-stream": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-2.0.0.tgz", + "integrity": "sha512-XCoy+WlUr7d1+Z8GgSuXmpuUFC9fOhRXglJMx+dwLKTkL44Cjd4W1Z5P+BQZpr+cR93aGP4S/s7Ftw6Nd/kiEw==" + }, + "is-typedarray": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/is-typedarray/-/is-typedarray-1.0.0.tgz", + "integrity": "sha1-5HnICFjfDBsR3dppQPlgEfzaSpo=" + }, + "is-windows": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/is-windows/-/is-windows-1.0.2.tgz", + "integrity": "sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA==" + }, + "is-wsl": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/is-wsl/-/is-wsl-2.2.0.tgz", + "integrity": "sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww==", + "optional": true, + "requires": { + "is-docker": "^2.0.0" + } + }, + "isarray": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/isarray/-/isarray-1.0.0.tgz", + "integrity": "sha1-u5NdSFgsuhaMBoNJV6VKPgcSTxE=" + }, + "isexe": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha1-6PvzdNxVb/iUehDcsFctYz8s+hA=" + }, + "isobject": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/isobject/-/isobject-3.0.1.tgz", + "integrity": "sha1-TkMekrEalzFjaqH5yNHMvP2reN8=" + }, + "isstream": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/isstream/-/isstream-0.1.2.tgz", + "integrity": "sha1-R+Y/evVa+m+S4VAOaQ64uFKcCZo=" + }, + "istanbul-lib-coverage": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/istanbul-lib-coverage/-/istanbul-lib-coverage-3.0.0.tgz", + "integrity": "sha512-UiUIqxMgRDET6eR+o5HbfRYP1l0hqkWOs7vNxC/mggutCMUIhWMm8gAHb8tHlyfD3/l6rlgNA5cKdDzEAf6hEg==" + }, + "istanbul-lib-instrument": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-4.0.3.tgz", + "integrity": "sha512-BXgQl9kf4WTCPCCpmFGoJkz/+uhvm7h7PFKUYxh7qarQd3ER33vHG//qaE8eN25l07YqZPpHXU9I09l/RD5aGQ==", + "requires": { + "@babel/core": "^7.7.5", + "@istanbuljs/schema": "^0.1.2", + "istanbul-lib-coverage": "^3.0.0", + "semver": "^6.3.0" + } + }, + "istanbul-lib-report": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/istanbul-lib-report/-/istanbul-lib-report-3.0.0.tgz", + "integrity": "sha512-wcdi+uAKzfiGT2abPpKZ0hSU1rGQjUQnLvtY5MpQ7QCTahD3VODhcu4wcfY1YtkGaDD5yuydOLINXsfbus9ROw==", + "requires": { + "istanbul-lib-coverage": "^3.0.0", + "make-dir": "^3.0.0", + "supports-color": "^7.1.0" + } + }, + "istanbul-lib-source-maps": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.0.tgz", + "integrity": "sha512-c16LpFRkR8vQXyHZ5nLpY35JZtzj1PQY1iZmesUbf1FZHbIupcWfjgOXBY9YHkLEQ6puz1u4Dgj6qmU/DisrZg==", + "requires": { + "debug": "^4.1.1", + "istanbul-lib-coverage": "^3.0.0", + "source-map": "^0.6.1" + } + }, + "istanbul-reports": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.0.2.tgz", + "integrity": "sha512-9tZvz7AiR3PEDNGiV9vIouQ/EAcqMXFmkcA1CDFTwOB98OZVDL0PH9glHotf5Ugp6GCOTypfzGWI/OqjWNCRUw==", + "requires": { + "html-escaper": "^2.0.0", + "istanbul-lib-report": "^3.0.0" + } + }, + "jest": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest/-/jest-26.6.3.tgz", + "integrity": "sha512-lGS5PXGAzR4RF7V5+XObhqz2KZIDUA1yD0DG6pBVmy10eh0ZIXQImRuzocsI/N2XZ1GrLFwTS27In2i2jlpq1Q==", + "requires": { + "@jest/core": "^26.6.3", + "import-local": "^3.0.2", + "jest-cli": "^26.6.3" + } + }, + "jest-changed-files": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-26.6.2.tgz", + "integrity": "sha512-fDS7szLcY9sCtIip8Fjry9oGf3I2ht/QT21bAHm5Dmf0mD4X3ReNUf17y+bO6fR8WgbIZTlbyG1ak/53cbRzKQ==", + "requires": { + "@jest/types": "^26.6.2", + "execa": "^4.0.0", + "throat": "^5.0.0" + } + }, + "jest-cli": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-cli/-/jest-cli-26.6.3.tgz", + "integrity": "sha512-GF9noBSa9t08pSyl3CY4frMrqp+aQXFGFkf5hEPbh/pIUFYWMK6ZLTfbmadxJVcJrdRoChlWQsA2VkJcDFK8hg==", + "requires": { + "@jest/core": "^26.6.3", + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "exit": "^0.1.2", + "graceful-fs": "^4.2.4", + "import-local": "^3.0.2", + "is-ci": "^2.0.0", + "jest-config": "^26.6.3", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "prompts": "^2.0.1", + "yargs": "^15.4.1" + } + }, + "jest-config": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-config/-/jest-config-26.6.3.tgz", + "integrity": "sha512-t5qdIj/bCj2j7NFVHb2nFB4aUdfucDn3JRKgrZnplb8nieAirAzRSHP8uDEd+qV6ygzg9Pz4YG7UTJf94LPSyg==", + "requires": { + "@babel/core": "^7.1.0", + "@jest/test-sequencer": "^26.6.3", + "@jest/types": "^26.6.2", + "babel-jest": "^26.6.3", + "chalk": "^4.0.0", + "deepmerge": "^4.2.2", + "glob": "^7.1.1", + "graceful-fs": "^4.2.4", + "jest-environment-jsdom": "^26.6.2", + "jest-environment-node": "^26.6.2", + "jest-get-type": "^26.3.0", + "jest-jasmine2": "^26.6.3", + "jest-regex-util": "^26.0.0", + "jest-resolve": "^26.6.2", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2" + } + }, + "jest-diff": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-diff/-/jest-diff-26.6.2.tgz", + "integrity": "sha512-6m+9Z3Gv9wN0WFVasqjCL/06+EFCMTqDEUl/b87HYK2rAPTyfz4ZIuSlPhY51PIQRWx5TaxeF1qmXKe9gfN3sA==", + "requires": { + "chalk": "^4.0.0", + "diff-sequences": "^26.6.2", + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + } + }, + "jest-docblock": { + "version": "26.0.0", + "resolved": "https://registry.npmjs.org/jest-docblock/-/jest-docblock-26.0.0.tgz", + "integrity": "sha512-RDZ4Iz3QbtRWycd8bUEPxQsTlYazfYn/h5R65Fc6gOfwozFhoImx+affzky/FFBuqISPTqjXomoIGJVKBWoo0w==", + "requires": { + "detect-newline": "^3.0.0" + } + }, + "jest-each": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-each/-/jest-each-26.6.2.tgz", + "integrity": "sha512-Mer/f0KaATbjl8MCJ+0GEpNdqmnVmDYqCTJYTvoo7rqmRiDllmp2AYN+06F93nXcY3ur9ShIjS+CO/uD+BbH4A==", + "requires": { + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "jest-get-type": "^26.3.0", + "jest-util": "^26.6.2", + "pretty-format": "^26.6.2" + } + }, + "jest-environment-jsdom": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-26.6.2.tgz", + "integrity": "sha512-jgPqCruTlt3Kwqg5/WVFyHIOJHsiAvhcp2qiR2QQstuG9yWox5+iHpU3ZrcBxW14T4fe5Z68jAfLRh7joCSP2Q==", + "requires": { + "@jest/environment": "^26.6.2", + "@jest/fake-timers": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "jest-mock": "^26.6.2", + "jest-util": "^26.6.2", + "jsdom": "^16.4.0" + } + }, + "jest-environment-node": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-environment-node/-/jest-environment-node-26.6.2.tgz", + "integrity": "sha512-zhtMio3Exty18dy8ee8eJ9kjnRyZC1N4C1Nt/VShN1apyXc8rWGtJ9lI7vqiWcyyXS4BVSEn9lxAM2D+07/Tag==", + "requires": { + "@jest/environment": "^26.6.2", + "@jest/fake-timers": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "jest-mock": "^26.6.2", + "jest-util": "^26.6.2" + } + }, + "jest-get-type": { + "version": "26.3.0", + "resolved": "https://registry.npmjs.org/jest-get-type/-/jest-get-type-26.3.0.tgz", + "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==" + }, + "jest-haste-map": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-haste-map/-/jest-haste-map-26.6.2.tgz", + "integrity": "sha512-easWIJXIw71B2RdR8kgqpjQrbMRWQBgiBwXYEhtGUTaX+doCjBheluShdDMeR8IMfJiTqH4+zfhtg29apJf/8w==", + "requires": { + "@jest/types": "^26.6.2", + "@types/graceful-fs": "^4.1.2", + "@types/node": "*", + "anymatch": "^3.0.3", + "fb-watchman": "^2.0.0", + "fsevents": "^2.1.2", + "graceful-fs": "^4.2.4", + "jest-regex-util": "^26.0.0", + "jest-serializer": "^26.6.2", + "jest-util": "^26.6.2", + "jest-worker": "^26.6.2", + "micromatch": "^4.0.2", + "sane": "^4.0.3", + "walker": "^1.0.7" + } + }, + "jest-jasmine2": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-jasmine2/-/jest-jasmine2-26.6.3.tgz", + "integrity": "sha512-kPKUrQtc8aYwBV7CqBg5pu+tmYXlvFlSFYn18ev4gPFtrRzB15N2gW/Roew3187q2w2eHuu0MU9TJz6w0/nPEg==", + "requires": { + "@babel/traverse": "^7.1.0", + "@jest/environment": "^26.6.2", + "@jest/source-map": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "co": "^4.6.0", + "expect": "^26.6.2", + "is-generator-fn": "^2.0.0", + "jest-each": "^26.6.2", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-runtime": "^26.6.3", + "jest-snapshot": "^26.6.2", + "jest-util": "^26.6.2", + "pretty-format": "^26.6.2", + "throat": "^5.0.0" + } + }, + "jest-leak-detector": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-leak-detector/-/jest-leak-detector-26.6.2.tgz", + "integrity": "sha512-i4xlXpsVSMeKvg2cEKdfhh0H39qlJlP5Ex1yQxwF9ubahboQYMgTtz5oML35AVA3B4Eu+YsmwaiKVev9KCvLxg==", + "requires": { + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + } + }, + "jest-matcher-utils": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-26.6.2.tgz", + "integrity": "sha512-llnc8vQgYcNqDrqRDXWwMr9i7rS5XFiCwvh6DTP7Jqa2mqpcCBBlpCbn+trkG0KNhPu/h8rzyBkriOtBstvWhw==", + "requires": { + "chalk": "^4.0.0", + "jest-diff": "^26.6.2", + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + } + }, + "jest-message-util": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-26.6.2.tgz", + "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", + "requires": { + "@babel/code-frame": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.2" + } + }, + "jest-mock": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-26.6.2.tgz", + "integrity": "sha512-YyFjePHHp1LzpzYcmgqkJ0nm0gg/lJx2aZFzFy1S6eUqNjXsOqTK10zNRff2dNfssgokjkG65OlWNcIlgd3zew==", + "requires": { + "@jest/types": "^26.6.2", + "@types/node": "*" + } + }, + "jest-pnp-resolver": { + "version": "1.2.2", + "resolved": "https://registry.npmjs.org/jest-pnp-resolver/-/jest-pnp-resolver-1.2.2.tgz", + "integrity": "sha512-olV41bKSMm8BdnuMsewT4jqlZ8+3TCARAXjZGT9jcoSnrfUnRCqnMoF9XEeoWjbzObpqF9dRhHQj0Xb9QdF6/w==", + "requires": {} + }, + "jest-regex-util": { + "version": "26.0.0", + "resolved": "https://registry.npmjs.org/jest-regex-util/-/jest-regex-util-26.0.0.tgz", + "integrity": "sha512-Gv3ZIs/nA48/Zvjrl34bf+oD76JHiGDUxNOVgUjh3j890sblXryjY4rss71fPtD/njchl6PSE2hIhvyWa1eT0A==" + }, + "jest-resolve": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-resolve/-/jest-resolve-26.6.2.tgz", + "integrity": "sha512-sOxsZOq25mT1wRsfHcbtkInS+Ek7Q8jCHUB0ZUTP0tc/c41QHriU/NunqMfCUWsL4H3MHpvQD4QR9kSYhS7UvQ==", + "requires": { + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "jest-pnp-resolver": "^1.2.2", + "jest-util": "^26.6.2", + "read-pkg-up": "^7.0.1", + "resolve": "^1.18.1", + "slash": "^3.0.0" + } + }, + "jest-resolve-dependencies": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-resolve-dependencies/-/jest-resolve-dependencies-26.6.3.tgz", + "integrity": "sha512-pVwUjJkxbhe4RY8QEWzN3vns2kqyuldKpxlxJlzEYfKSvY6/bMvxoFrYYzUO1Gx28yKWN37qyV7rIoIp2h8fTg==", + "requires": { + "@jest/types": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-snapshot": "^26.6.2" + } + }, + "jest-runner": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-runner/-/jest-runner-26.6.3.tgz", + "integrity": "sha512-atgKpRHnaA2OvByG/HpGA4g6CSPS/1LK0jK3gATJAoptC1ojltpmVlYC3TYgdmGp+GLuhzpH30Gvs36szSL2JQ==", + "requires": { + "@jest/console": "^26.6.2", + "@jest/environment": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "emittery": "^0.7.1", + "exit": "^0.1.2", + "graceful-fs": "^4.2.4", + "jest-config": "^26.6.3", + "jest-docblock": "^26.0.0", + "jest-haste-map": "^26.6.2", + "jest-leak-detector": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-resolve": "^26.6.2", + "jest-runtime": "^26.6.3", + "jest-util": "^26.6.2", + "jest-worker": "^26.6.2", + "source-map-support": "^0.5.6", + "throat": "^5.0.0" + } + }, + "jest-runtime": { + "version": "26.6.3", + "resolved": "https://registry.npmjs.org/jest-runtime/-/jest-runtime-26.6.3.tgz", + "integrity": "sha512-lrzyR3N8sacTAMeonbqpnSka1dHNux2uk0qqDXVkMv2c/A3wYnvQ4EXuI013Y6+gSKSCxdaczvf4HF0mVXHRdw==", + "requires": { + "@jest/console": "^26.6.2", + "@jest/environment": "^26.6.2", + "@jest/fake-timers": "^26.6.2", + "@jest/globals": "^26.6.2", + "@jest/source-map": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/yargs": "^15.0.0", + "chalk": "^4.0.0", + "cjs-module-lexer": "^0.6.0", + "collect-v8-coverage": "^1.0.0", + "exit": "^0.1.2", + "glob": "^7.1.3", + "graceful-fs": "^4.2.4", + "jest-config": "^26.6.3", + "jest-haste-map": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-mock": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-resolve": "^26.6.2", + "jest-snapshot": "^26.6.2", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "slash": "^3.0.0", + "strip-bom": "^4.0.0", + "yargs": "^15.4.1" + } + }, + "jest-serializer": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-serializer/-/jest-serializer-26.6.2.tgz", + "integrity": "sha512-S5wqyz0DXnNJPd/xfIzZ5Xnp1HrJWBczg8mMfMpN78OJ5eDxXyf+Ygld9wX1DnUWbIbhM1YDY95NjR4CBXkb2g==", + "requires": { + "@types/node": "*", + "graceful-fs": "^4.2.4" + } + }, + "jest-snapshot": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-26.6.2.tgz", + "integrity": "sha512-OLhxz05EzUtsAmOMzuupt1lHYXCNib0ECyuZ/PZOx9TrZcC8vL0x+DUG3TL+GLX3yHG45e6YGjIm0XwDc3q3og==", + "requires": { + "@babel/types": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/babel__traverse": "^7.0.4", + "@types/prettier": "^2.0.0", + "chalk": "^4.0.0", + "expect": "^26.6.2", + "graceful-fs": "^4.2.4", + "jest-diff": "^26.6.2", + "jest-get-type": "^26.3.0", + "jest-haste-map": "^26.6.2", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-resolve": "^26.6.2", + "natural-compare": "^1.4.0", + "pretty-format": "^26.6.2", + "semver": "^7.3.2" + }, + "dependencies": { + "semver": { + "version": "7.3.5", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.5.tgz", + "integrity": "sha512-PoeGJYh8HK4BTO/a9Tf6ZG3veo/A7ZVsYrSA6J8ny9nb3B1VrpkuN+z9OE5wfE5p6H4LchYZsegiQgbJD94ZFQ==", + "requires": { + "lru-cache": "^6.0.0" + } + } + } + }, + "jest-util": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-26.6.2.tgz", + "integrity": "sha512-MDW0fKfsn0OI7MS7Euz6h8HNDXVQ0gaM9uW6RjfDmd1DAFcaxX9OqIakHIqhbnmF08Cf2DLDG+ulq8YQQ0Lp0Q==", + "requires": { + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "is-ci": "^2.0.0", + "micromatch": "^4.0.2" + } + }, + "jest-validate": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-validate/-/jest-validate-26.6.2.tgz", + "integrity": "sha512-NEYZ9Aeyj0i5rQqbq+tpIOom0YS1u2MVu6+euBsvpgIme+FOfRmoC4R5p0JiAUpaFvFy24xgrpMknarR/93XjQ==", + "requires": { + "@jest/types": "^26.6.2", + "camelcase": "^6.0.0", + "chalk": "^4.0.0", + "jest-get-type": "^26.3.0", + "leven": "^3.1.0", + "pretty-format": "^26.6.2" + }, + "dependencies": { + "camelcase": { + "version": "6.2.0", + "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-6.2.0.tgz", + "integrity": "sha512-c7wVvbw3f37nuobQNtgsgG9POC9qMbNuMQmTCqZv23b6MIz0fcYpBiOlv9gEN/hdLdnZTDQhg6e9Dq5M1vKvfg==" + } + } + }, + "jest-watcher": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-watcher/-/jest-watcher-26.6.2.tgz", + "integrity": "sha512-WKJob0P/Em2csiVthsI68p6aGKTIcsfjH9Gsx1f0A3Italz43e3ho0geSAVsmj09RWOELP1AZ/DXyJgOgDKxXQ==", + "requires": { + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "ansi-escapes": "^4.2.1", + "chalk": "^4.0.0", + "jest-util": "^26.6.2", + "string-length": "^4.0.1" + } + }, + "jest-worker": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-26.6.2.tgz", + "integrity": "sha512-KWYVV1c4i+jbMpaBC+U++4Va0cp8OisU185o73T1vo99hqi7w8tSJfUXYswwqqrjzwxa6KpRK54WhPvwf5w6PQ==", + "requires": { + "@types/node": "*", + "merge-stream": "^2.0.0", + "supports-color": "^7.0.0" + } + }, + "js-tokens": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", + "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==" + }, + "js-yaml": { + "version": "3.14.1", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", + "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", + "requires": { + "argparse": "^1.0.7", + "esprima": "^4.0.0" + } + }, + "jsbn": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/jsbn/-/jsbn-0.1.1.tgz", + "integrity": "sha1-peZUwuWi3rXyAdls77yoDA7y9RM=" + }, + "jsdom": { + "version": "16.5.3", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-16.5.3.tgz", + "integrity": "sha512-Qj1H+PEvUsOtdPJ056ewXM4UJPCi4hhLA8wpiz9F2YvsRBhuFsXxtrIFAgGBDynQA9isAMGE91PfUYbdMPXuTA==", + "requires": { + "abab": "^2.0.5", + "acorn": "^8.1.0", + "acorn-globals": "^6.0.0", + "cssom": "^0.4.4", + "cssstyle": "^2.3.0", + "data-urls": "^2.0.0", + "decimal.js": "^10.2.1", + "domexception": "^2.0.1", + "escodegen": "^2.0.0", + "html-encoding-sniffer": "^2.0.1", + "is-potential-custom-element-name": "^1.0.0", + "nwsapi": "^2.2.0", + "parse5": "6.0.1", + "request": "^2.88.2", + "request-promise-native": "^1.0.9", + "saxes": "^5.0.1", + "symbol-tree": "^3.2.4", + "tough-cookie": "^4.0.0", + "w3c-hr-time": "^1.0.2", + "w3c-xmlserializer": "^2.0.0", + "webidl-conversions": "^6.1.0", + "whatwg-encoding": "^1.0.5", + "whatwg-mimetype": "^2.3.0", + "whatwg-url": "^8.5.0", + "ws": "^7.4.4", + "xml-name-validator": "^3.0.0" + } + }, + "jsesc": { + "version": "2.5.2", + "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-2.5.2.tgz", + "integrity": "sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==" + }, + "json-buffer": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/json-buffer/-/json-buffer-3.0.1.tgz", + "integrity": "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==" + }, + "json-parse-even-better-errors": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz", + "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==" + }, + "json-schema": { + "version": "0.2.3", + "resolved": "https://registry.npmjs.org/json-schema/-/json-schema-0.2.3.tgz", + "integrity": "sha1-tIDIkuWaLwWVTOcnvT8qTogvnhM=" + }, + "json-schema-traverse": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", + "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==" + }, + "json-stringify-safe": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz", + "integrity": "sha1-Epai1Y/UXxmg9s4B1lcB4sc1tus=" + }, + "json5": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.0.tgz", + "integrity": "sha512-f+8cldu7X/y7RAJurMEJmdoKXGB/X550w2Nr3tTbezL6RwEE/iMcm+tZnXeoZtKuOq6ft8+CqzEkrIgx1fPoQA==", + "requires": { + "minimist": "^1.2.5" + } + }, + "jsprim": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/jsprim/-/jsprim-1.4.1.tgz", + "integrity": "sha1-MT5mvB5cwG5Di8G3SZwuXFastqI=", + "requires": { + "assert-plus": "1.0.0", + "extsprintf": "1.3.0", + "json-schema": "0.2.3", + "verror": "1.10.0" + } + }, + "keyv": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/keyv/-/keyv-4.0.3.tgz", + "integrity": "sha512-zdGa2TOpSZPq5mU6iowDARnMBZgtCqJ11dJROFi6tg6kTn4nuUdU09lFyLFSaHrWqpIJ+EBq4E8/Dc0Vx5vLdA==", + "requires": { + "json-buffer": "3.0.1" + } + }, + "kind-of": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.3.tgz", + "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==" + }, + "kleur": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/kleur/-/kleur-3.0.3.tgz", + "integrity": "sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w==" + }, + "leven": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/leven/-/leven-3.1.0.tgz", + "integrity": "sha512-qsda+H8jTaUaN/x5vzW2rzc+8Rw4TAQ/4KjB46IwK5VH+IlVeeeje/EoZRpiXvIqjFgK84QffqPztGI3VBLG1A==" + }, + "levn": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/levn/-/levn-0.3.0.tgz", + "integrity": "sha1-OwmSTt+fCDwEkP3UwLxEIeBHZO4=", + "requires": { + "prelude-ls": "~1.1.2", + "type-check": "~0.3.2" + } + }, + "lines-and-columns": { + "version": "1.1.6", + "resolved": "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.1.6.tgz", + "integrity": "sha1-HADHQ7QzzQpOgHWPe2SldEDZ/wA=" + }, + "locate-path": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", + "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", + "requires": { + "p-locate": "^4.1.0" + } + }, + "lodash": { + "version": "4.17.21", + "resolved": "https://registry.npmjs.org/lodash/-/lodash-4.17.21.tgz", + "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==" + }, + "lowercase-keys": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/lowercase-keys/-/lowercase-keys-2.0.0.tgz", + "integrity": "sha512-tqNXrS78oMOE73NMxK4EMLQsQowWf8jKooH9g7xPavRT706R6bkQJ6DY2Te7QukaZsulxa30wQ7bk0pm4XiHmA==" + }, + "lru-cache": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz", + "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==", + "requires": { + "yallist": "^4.0.0" + } + }, + "make-dir": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz", + "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", + "requires": { + "semver": "^6.0.0" + } + }, + "makeerror": { + "version": "1.0.11", + "resolved": "https://registry.npmjs.org/makeerror/-/makeerror-1.0.11.tgz", + "integrity": "sha1-4BpckQnyr3lmDk6LlYd5AYT1qWw=", + "requires": { + "tmpl": "1.0.x" + } + }, + "map-cache": { + "version": "0.2.2", + "resolved": "https://registry.npmjs.org/map-cache/-/map-cache-0.2.2.tgz", + "integrity": "sha1-wyq9C9ZSXZsFFkW7TyasXcmKDb8=" + }, + "map-visit": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/map-visit/-/map-visit-1.0.0.tgz", + "integrity": "sha1-7Nyo8TFE5mDxtb1B8S80edmN+48=", + "requires": { + "object-visit": "^1.0.0" + } + }, + "market-csgo-api": { + "version": "0.4.12", + "resolved": "https://registry.npmjs.org/market-csgo-api/-/market-csgo-api-0.4.12.tgz", + "integrity": "sha512-6ai7dQ5oD+tZ8TVdM5rNLnwP8OgYa5Bg5kqOM2/aKRJwW9c2vjCsgxZ8bgbKwL3abphj7KB64FSVIADVK6F7fg==", + "requires": { + "bottleneck": "^2.19.5", + "got": "^11.8.2", + "merge": "^2.1.1", + "papaparse": "^5.3.0" + } + }, + "merge": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/merge/-/merge-2.1.1.tgz", + "integrity": "sha512-jz+Cfrg9GWOZbQAnDQ4hlVnQky+341Yk5ru8bZSe6sIDTCIg8n9i/u7hSQGSVOF3C7lH6mGtqjkiT9G4wFLL0w==" + }, + "merge-stream": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz", + "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==" + }, + "micromatch": { + "version": "4.0.4", + "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.4.tgz", + "integrity": "sha512-pRmzw/XUcwXGpD9aI9q/0XOwLNygjETJ8y0ao0wdqprrzDa4YnxLcz7fQRZr8voh8V10kGhABbNcHVk5wHgWwg==", + "requires": { + "braces": "^3.0.1", + "picomatch": "^2.2.3" + } + }, + "mime-db": { + "version": "1.47.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.47.0.tgz", + "integrity": "sha512-QBmA/G2y+IfeS4oktet3qRZ+P5kPhCKRXxXnQEudYqUaEioAU1/Lq2us3D/t1Jfo4hE9REQPrbB7K5sOczJVIw==" + }, + "mime-types": { + "version": "2.1.30", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.30.tgz", + "integrity": "sha512-crmjA4bLtR8m9qLpHvgxSChT+XoSlZi8J4n/aIdn3z92e/U47Z0V/yl+Wh9W046GgFVAmoNR/fmdbZYcSSIUeg==", + "requires": { + "mime-db": "1.47.0" + } + }, + "mimic-fn": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/mimic-fn/-/mimic-fn-2.1.0.tgz", + "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==" + }, + "mimic-response": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/mimic-response/-/mimic-response-1.0.1.tgz", + "integrity": "sha512-j5EctnkH7amfV/q5Hgmoal1g2QHFJRraOtmx0JpIqkxhBhI/lJSl1nMpQ45hVarwNETOoWEimndZ4QK0RHxuxQ==" + }, + "minimatch": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.0.4.tgz", + "integrity": "sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA==", + "requires": { + "brace-expansion": "^1.1.7" + } + }, + "minimist": { + "version": "1.2.5", + "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.5.tgz", + "integrity": "sha512-FM9nNUYrRBAELZQT3xeZQ7fmMOBg6nWNmJKTcgsJeaLstP/UODVpGsr5OhXhhXg6f+qtJ8uiZ+PUxkDWcgIXLw==" + }, + "mixin-deep": { + "version": "1.3.2", + "resolved": "https://registry.npmjs.org/mixin-deep/-/mixin-deep-1.3.2.tgz", + "integrity": "sha512-WRoDn//mXBiJ1H40rqa3vH0toePwSsGb45iInWlTySa+Uu4k3tYUSxa2v1KqAiLtvlrSzaExqS1gtk96A9zvEA==", + "requires": { + "for-in": "^1.0.2", + "is-extendable": "^1.0.1" + } + }, + "mkdirp": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-1.0.4.tgz", + "integrity": "sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==" + }, + "ms": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", + "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" + }, + "nanomatch": { + "version": "1.2.13", + "resolved": "https://registry.npmjs.org/nanomatch/-/nanomatch-1.2.13.tgz", + "integrity": "sha512-fpoe2T0RbHwBTBUOftAfBPaDEi06ufaUai0mE6Yn1kacc3SnTErfb/h+X94VXzI64rKFHYImXSvdwGGCmwOqCA==", + "requires": { + "arr-diff": "^4.0.0", + "array-unique": "^0.3.2", + "define-property": "^2.0.2", + "extend-shallow": "^3.0.2", + "fragment-cache": "^0.2.1", + "is-windows": "^1.0.2", + "kind-of": "^6.0.2", + "object.pick": "^1.3.0", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.1" + } + }, + "natural-compare": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", + "integrity": "sha1-Sr6/7tdUHywnrPspvbvRXI1bpPc=" + }, + "nice-try": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/nice-try/-/nice-try-1.0.5.tgz", + "integrity": "sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==" + }, + "node-cache": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/node-cache/-/node-cache-5.1.2.tgz", + "integrity": "sha512-t1QzWwnk4sjLWaQAS8CHgOJ+RAfmHpxFWmc36IWTiWHQfs0w5JDMBS1b1ZxQteo0vVVuWJvIUKHDkkeK7vIGCg==", + "requires": { + "clone": "2.x" + } + }, + "node-gyp-build": { + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/node-gyp-build/-/node-gyp-build-4.2.3.tgz", + "integrity": "sha512-MN6ZpzmfNCRM+3t57PTJHgHyw/h4OWnZ6mR8P5j/uZtqQr46RRuDE/P+g3n0YR/AiYXeWixZZzaip77gdICfRg==" + }, + "node-int64": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/node-int64/-/node-int64-0.4.0.tgz", + "integrity": "sha1-h6kGXNs1XTGC2PlM4RGIuCXGijs=" + }, + "node-modules-regexp": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/node-modules-regexp/-/node-modules-regexp-1.0.0.tgz", + "integrity": "sha1-jZ2+KJZKSsVxLpExZCEHxx6Q7EA=" + }, + "node-notifier": { + "version": "8.0.2", + "resolved": "https://registry.npmjs.org/node-notifier/-/node-notifier-8.0.2.tgz", + "integrity": "sha512-oJP/9NAdd9+x2Q+rfphB2RJCHjod70RcRLjosiPMMu5gjIfwVnOUGq2nbTjTUbmy0DJ/tFIVT30+Qe3nzl4TJg==", + "optional": true, + "requires": { + "growly": "^1.3.0", + "is-wsl": "^2.2.0", + "semver": "^7.3.2", + "shellwords": "^0.1.1", + "uuid": "^8.3.0", + "which": "^2.0.2" + }, + "dependencies": { + "semver": { + "version": "7.3.5", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.5.tgz", + "integrity": "sha512-PoeGJYh8HK4BTO/a9Tf6ZG3veo/A7ZVsYrSA6J8ny9nb3B1VrpkuN+z9OE5wfE5p6H4LchYZsegiQgbJD94ZFQ==", + "optional": true, + "requires": { + "lru-cache": "^6.0.0" + } + } + } + }, + "node-releases": { + "version": "1.1.72", + "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-1.1.72.tgz", + "integrity": "sha512-LLUo+PpH3dU6XizX3iVoubUNheF/owjXCZZ5yACDxNnPtgFuludV1ZL3ayK1kVep42Rmm0+R9/Y60NQbZ2bifw==" + }, + "normalize-package-data": { + "version": "2.5.0", + "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-2.5.0.tgz", + "integrity": "sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==", + "requires": { + "hosted-git-info": "^2.1.4", + "resolve": "^1.10.0", + "semver": "2 || 3 || 4 || 5", + "validate-npm-package-license": "^3.0.1" + }, + "dependencies": { + "semver": { + "version": "5.7.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-5.7.1.tgz", + "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==" + } + } + }, + "normalize-path": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==" + }, + "normalize-url": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/normalize-url/-/normalize-url-4.5.0.tgz", + "integrity": "sha512-2s47yzUxdexf1OhyRi4Em83iQk0aPvwTddtFz4hnSSw9dCEsLEGf6SwIO8ss/19S9iBb5sJaOuTvTGDeZI00BQ==" + }, + "npm-run-path": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz", + "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==", + "requires": { + "path-key": "^3.0.0" + } + }, + "nwsapi": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/nwsapi/-/nwsapi-2.2.0.tgz", + "integrity": "sha512-h2AatdwYH+JHiZpv7pt/gSX1XoRGb7L/qSIeuqA6GwYoF9w1vP1cw42TO0aI2pNyshRK5893hNSl+1//vHK7hQ==" + }, + "oauth-sign": { + "version": "0.9.0", + "resolved": "https://registry.npmjs.org/oauth-sign/-/oauth-sign-0.9.0.tgz", + "integrity": "sha512-fexhUFFPTGV8ybAtSIGbV6gOkSv8UtRbDBnAyLQw4QPKkgNlsH2ByPGtMUqdWkos6YCRmAqViwgZrJc/mRDzZQ==" + }, + "object-copy": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/object-copy/-/object-copy-0.1.0.tgz", + "integrity": "sha1-fn2Fi3gb18mRpBupde04EnVOmYw=", + "requires": { + "copy-descriptor": "^0.1.0", + "define-property": "^0.2.5", + "kind-of": "^3.0.3" + }, + "dependencies": { + "define-property": { + "version": "0.2.5", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY=", + "requires": { + "is-descriptor": "^0.1.0" + } + }, + "is-accessor-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz", + "integrity": "sha1-qeEss66Nh2cn7u84Q/igiXtcmNY=", + "requires": { + "kind-of": "^3.0.2" + } + }, + "is-data-descriptor": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz", + "integrity": "sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y=", + "requires": { + "kind-of": "^3.0.2" + } + }, + "is-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-0.1.6.tgz", + "integrity": "sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg==", + "requires": { + "is-accessor-descriptor": "^0.1.6", + "is-data-descriptor": "^0.1.4", + "kind-of": "^5.0.0" + }, + "dependencies": { + "kind-of": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==" + } + } + }, + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "object-visit": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/object-visit/-/object-visit-1.0.1.tgz", + "integrity": "sha1-95xEk68MU3e1n+OdOV5BBC3QRbs=", + "requires": { + "isobject": "^3.0.0" + } + }, + "object.pick": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/object.pick/-/object.pick-1.3.0.tgz", + "integrity": "sha1-h6EKxMFpS9Lhy/U1kaZhQftd10c=", + "requires": { + "isobject": "^3.0.1" + } + }, + "once": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", + "integrity": "sha1-WDsap3WWHUsROsF9nFC6753Xa9E=", + "requires": { + "wrappy": "1" + } + }, + "onetime": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/onetime/-/onetime-5.1.2.tgz", + "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==", + "requires": { + "mimic-fn": "^2.1.0" + } + }, + "optionator": { + "version": "0.8.3", + "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.8.3.tgz", + "integrity": "sha512-+IW9pACdk3XWmmTXG8m3upGUJst5XRGzxMRjXzAuJ1XnIFNvfhjjIuYkDvysnPQ7qzqVzLt78BCruntqRhWQbA==", + "requires": { + "deep-is": "~0.1.3", + "fast-levenshtein": "~2.0.6", + "levn": "~0.3.0", + "prelude-ls": "~1.1.2", + "type-check": "~0.3.2", + "word-wrap": "~1.2.3" + } + }, + "p-cancelable": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/p-cancelable/-/p-cancelable-2.1.0.tgz", + "integrity": "sha512-HAZyB3ZodPo+BDpb4/Iu7Jv4P6cSazBz9ZM0ChhEXp70scx834aWCEjQRwgt41UzzejUAPdbqqONfRWTPYrPAQ==" + }, + "p-each-series": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/p-each-series/-/p-each-series-2.2.0.tgz", + "integrity": "sha512-ycIL2+1V32th+8scbpTvyHNaHe02z0sjgh91XXjAk+ZeXoPN4Z46DVUnzdso0aX4KckKw0FNNFHdjZ2UsZvxiA==" + }, + "p-finally": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/p-finally/-/p-finally-1.0.0.tgz", + "integrity": "sha1-P7z7FbiZpEEjs0ttzBi3JDNqLK4=" + }, + "p-limit": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", + "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "requires": { + "p-try": "^2.0.0" } }, - "has-flag": { + "p-locate": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", + "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", + "requires": { + "p-limit": "^2.2.0" + } + }, + "p-try": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", + "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==" + }, + "papaparse": { + "version": "5.3.0", + "resolved": "https://registry.npmjs.org/papaparse/-/papaparse-5.3.0.tgz", + "integrity": "sha512-Lb7jN/4bTpiuGPrYy4tkKoUS8sTki8zacB5ke1p5zolhcSE4TlWgrlsxjrDTbG/dFVh07ck7X36hUf/b5V68pg==" + }, + "parse-json": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/parse-json/-/parse-json-5.2.0.tgz", + "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==", + "requires": { + "@babel/code-frame": "^7.0.0", + "error-ex": "^1.3.1", + "json-parse-even-better-errors": "^2.3.0", + "lines-and-columns": "^1.1.6" + } + }, + "parse5": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/parse5/-/parse5-6.0.1.tgz", + "integrity": "sha512-Ofn/CTFzRGTTxwpNEs9PP93gXShHcTq255nzRYSKe8AkVpZY7e1fpmTfOyoIvjP5HG7Z2ZM7VS9PPhQGW2pOpw==" + }, + "pascalcase": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/pascalcase/-/pascalcase-0.1.1.tgz", + "integrity": "sha1-s2PlXoAGym/iF4TS2yK9FdeRfxQ=" + }, + "path-exists": { "version": "4.0.0", - "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", - "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", - "dev": true + "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", + "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==" }, - "http-cache-semantics": { - "version": "4.1.0", - "resolved": "https://registry.npmjs.org/http-cache-semantics/-/http-cache-semantics-4.1.0.tgz", - "integrity": "sha512-carPklcUh7ROWRK7Cv27RPtdhYhUsela/ue5/jKzjegVvXDqM2ILE9Q2BGn9JZJh1g87cp56su/FgQSzcWS8cQ==" + "path-is-absolute": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", + "integrity": "sha1-F0uSaHNVNP+8es5r9TpanhtcX18=" }, - "http2-wrapper": { - "version": "1.0.3", - "resolved": "https://registry.npmjs.org/http2-wrapper/-/http2-wrapper-1.0.3.tgz", - "integrity": "sha512-V+23sDMr12Wnz7iTcDeJr3O6AIxlnvT/bmaAAAP/Xda35C90p9599p0F1eHR/N1KILWSoWVAiOMFjBBXaXSMxg==", + "path-key": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==" + }, + "path-parse": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz", + "integrity": "sha512-GSmOT2EbHrINBf9SR7CDELwlJ8AENk3Qn7OikK4nFYAu3Ote2+JYNVvkpAEQm3/TLNEJFD/xZJjzyxg3KBWOzw==" + }, + "performance-now": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/performance-now/-/performance-now-2.1.0.tgz", + "integrity": "sha1-Ywn04OX6kT7BxpMHrjZLSzd8nns=" + }, + "picomatch": { + "version": "2.2.3", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.2.3.tgz", + "integrity": "sha512-KpELjfwcCDUb9PeigTs2mBJzXUPzAuP2oPcA989He8Rte0+YUAjw1JVedDhuTKPkHjSYzMN3npC9luThGYEKdg==" + }, + "pirates": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/pirates/-/pirates-4.0.1.tgz", + "integrity": "sha512-WuNqLTbMI3tmfef2TKxlQmAiLHKtFhlsCZnPIpuv2Ow0RDVO8lfy1Opf4NUzlMXLjPl+Men7AuVdX6TA+s+uGA==", "requires": { - "quick-lru": "^5.1.1", - "resolve-alpn": "^1.0.0" + "node-modules-regexp": "^1.0.0" } }, - "https-proxy-agent": { + "pkg-dir": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/pkg-dir/-/pkg-dir-4.2.0.tgz", + "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", + "requires": { + "find-up": "^4.0.0" + } + }, + "posix-character-classes": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/posix-character-classes/-/posix-character-classes-0.1.1.tgz", + "integrity": "sha1-AerA/jta9xoqbAL+q7jB/vfgDqs=" + }, + "prelude-ls": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.1.2.tgz", + "integrity": "sha1-IZMqVJ9eUv/ZqCf1cOBL5iqX2lQ=" + }, + "pretty-format": { + "version": "26.6.2", + "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "requires": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + } + }, + "prettyjson": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/prettyjson/-/prettyjson-1.2.1.tgz", + "integrity": "sha1-/P+rQdGcq0365eV15kJGYZsS0ok=", + "dev": true, + "requires": { + "colors": "^1.1.2", + "minimist": "^1.2.0" + } + }, + "prompts": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/prompts/-/prompts-2.4.1.tgz", + "integrity": "sha512-EQyfIuO2hPDsX1L/blblV+H7I0knhgAd82cVneCwcdND9B8AuCDuRcBH6yIcG4dFzlOUqbazQqwGjx5xmsNLuQ==", + "requires": { + "kleur": "^3.0.3", + "sisteransi": "^1.0.5" + } + }, + "psl": { + "version": "1.8.0", + "resolved": "https://registry.npmjs.org/psl/-/psl-1.8.0.tgz", + "integrity": "sha512-RIdOzyoavK+hA18OGGWDqUTsCLhtA7IcZ/6NCs4fFJaHBDab+pDDmDIByWFRQJq2Cd7r1OoQxBGKOaztq+hjIQ==" + }, + "pump": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/pump/-/pump-3.0.0.tgz", + "integrity": "sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==", + "requires": { + "end-of-stream": "^1.1.0", + "once": "^1.3.1" + } + }, + "punycode": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz", + "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==" + }, + "qs": { + "version": "6.5.2", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.5.2.tgz", + "integrity": "sha512-N5ZAX4/LxJmF+7wN74pUD6qAh9/wnvdQcjq9TZjevvXzSUo7bfmw91saqMjzGS2xq91/odN2dW/WOl7qQHNDGA==" + }, + "quick-lru": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/quick-lru/-/quick-lru-5.1.1.tgz", + "integrity": "sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==" + }, + "react-is": { + "version": "17.0.2", + "resolved": "https://registry.npmjs.org/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==" + }, + "read-pkg": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/read-pkg/-/read-pkg-5.2.0.tgz", + "integrity": "sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==", + "requires": { + "@types/normalize-package-data": "^2.4.0", + "normalize-package-data": "^2.5.0", + "parse-json": "^5.0.0", + "type-fest": "^0.6.0" + }, + "dependencies": { + "type-fest": { + "version": "0.6.0", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.6.0.tgz", + "integrity": "sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==" + } + } + }, + "read-pkg-up": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/read-pkg-up/-/read-pkg-up-7.0.1.tgz", + "integrity": "sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==", + "requires": { + "find-up": "^4.1.0", + "read-pkg": "^5.2.0", + "type-fest": "^0.8.1" + }, + "dependencies": { + "type-fest": { + "version": "0.8.1", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.8.1.tgz", + "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==" + } + } + }, + "regex-not": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/regex-not/-/regex-not-1.0.2.tgz", + "integrity": "sha512-J6SDjUgDxQj5NusnOtdFxDwN/+HWykR8GELwctJ7mdqhcyy1xEc4SRFHUXvxTp661YaVKAjfRLZ9cCqS6tn32A==", + "requires": { + "extend-shallow": "^3.0.2", + "safe-regex": "^1.1.0" + } + }, + "remove-trailing-separator": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/remove-trailing-separator/-/remove-trailing-separator-1.1.0.tgz", + "integrity": "sha1-wkvOKig62tW8P1jg1IJJuSN52O8=" + }, + "repeat-element": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/repeat-element/-/repeat-element-1.1.4.tgz", + "integrity": "sha512-LFiNfRcSu7KK3evMyYOuCzv3L10TW7yC1G2/+StMjK8Y6Vqd2MG7r/Qjw4ghtuCOjFvlnms/iMmLqpvW/ES/WQ==" + }, + "repeat-string": { + "version": "1.6.1", + "resolved": "https://registry.npmjs.org/repeat-string/-/repeat-string-1.6.1.tgz", + "integrity": "sha1-jcrkcOHIirwtYA//Sndihtp15jc=" + }, + "request": { + "version": "2.88.2", + "resolved": "https://registry.npmjs.org/request/-/request-2.88.2.tgz", + "integrity": "sha512-MsvtOrfG9ZcrOwAW+Qi+F6HbD0CWXEh9ou77uOb7FM2WPhwT7smM833PzanhJLsgXjN89Ir6V2PczXNnMpwKhw==", + "requires": { + "aws-sign2": "~0.7.0", + "aws4": "^1.8.0", + "caseless": "~0.12.0", + "combined-stream": "~1.0.6", + "extend": "~3.0.2", + "forever-agent": "~0.6.1", + "form-data": "~2.3.2", + "har-validator": "~5.1.3", + "http-signature": "~1.2.0", + "is-typedarray": "~1.0.0", + "isstream": "~0.1.2", + "json-stringify-safe": "~5.0.1", + "mime-types": "~2.1.19", + "oauth-sign": "~0.9.0", + "performance-now": "^2.1.0", + "qs": "~6.5.2", + "safe-buffer": "^5.1.2", + "tough-cookie": "~2.5.0", + "tunnel-agent": "^0.6.0", + "uuid": "^3.3.2" + }, + "dependencies": { + "tough-cookie": { + "version": "2.5.0", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-2.5.0.tgz", + "integrity": "sha512-nlLsUzgm1kfLXSXfRZMc1KLAugd4hqJHDTvc2hDIwS3mZAfMEuMbc03SujMF+GEcpaX/qboeycw6iO8JwVv2+g==", + "requires": { + "psl": "^1.1.28", + "punycode": "^2.1.1" + } + }, + "uuid": { + "version": "3.4.0", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.4.0.tgz", + "integrity": "sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==" + } + } + }, + "request-promise-core": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/request-promise-core/-/request-promise-core-1.1.4.tgz", + "integrity": "sha512-TTbAfBBRdWD7aNNOoVOBH4pN/KigV6LyapYNNlAPA8JwbovRti1E88m3sYAwsLi5ryhPKsE9APwnjFTgdUjTpw==", + "requires": { + "lodash": "^4.17.19" + } + }, + "request-promise-native": { + "version": "1.0.9", + "resolved": "https://registry.npmjs.org/request-promise-native/-/request-promise-native-1.0.9.tgz", + "integrity": "sha512-wcW+sIUiWnKgNY0dqCpOZkUbF/I+YPi+f09JZIDa39Ec+q82CpSYniDp+ISgTTbKmnpJWASeJBPZmoxH84wt3g==", + "requires": { + "request-promise-core": "1.1.4", + "stealthy-require": "^1.1.1", + "tough-cookie": "^2.3.3" + }, + "dependencies": { + "tough-cookie": { + "version": "2.5.0", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-2.5.0.tgz", + "integrity": "sha512-nlLsUzgm1kfLXSXfRZMc1KLAugd4hqJHDTvc2hDIwS3mZAfMEuMbc03SujMF+GEcpaX/qboeycw6iO8JwVv2+g==", + "requires": { + "psl": "^1.1.28", + "punycode": "^2.1.1" + } + } + } + }, + "require-directory": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz", + "integrity": "sha1-jGStX9MNqxyXbiNE/+f3kqam30I=" + }, + "require-main-filename": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/require-main-filename/-/require-main-filename-2.0.0.tgz", + "integrity": "sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==" + }, + "resolve": { + "version": "1.20.0", + "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.20.0.tgz", + "integrity": "sha512-wENBPt4ySzg4ybFQW2TT1zMQucPK95HSh/nq2CFTZVOGut2+pQvSsgtda4d26YrYcr067wjbmzOG8byDPBX63A==", + "requires": { + "is-core-module": "^2.2.0", + "path-parse": "^1.0.6" + } + }, + "resolve-alpn": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/resolve-alpn/-/resolve-alpn-1.0.0.tgz", + "integrity": "sha512-rTuiIEqFmGxne4IovivKSDzld2lWW9QCjqv80SYjPgf+gS35eaCAjaP54CCwGAwBtnCsvNLYtqxe1Nw+i6JEmA==" + }, + "resolve-cwd": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/resolve-cwd/-/resolve-cwd-3.0.0.tgz", + "integrity": "sha512-OrZaX2Mb+rJCpH/6CpSqt9xFVpN++x01XnN2ie9g6P5/3xelLAkXWVADpdz1IHD/KFfEXyE6V0U01OQ3UO2rEg==", + "requires": { + "resolve-from": "^5.0.0" + } + }, + "resolve-from": { "version": "5.0.0", - "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.0.tgz", - "integrity": "sha512-EkYm5BcKUGiduxzSt3Eppko+PiNWNEpa4ySk9vTC6wDsQJW9rHSa+UhGNJoRYp7bz6Ht1eaRIa6QaJqO5rCFbA==", + "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", + "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==" + }, + "resolve-url": { + "version": "0.2.1", + "resolved": "https://registry.npmjs.org/resolve-url/-/resolve-url-0.2.1.tgz", + "integrity": "sha1-LGN/53yJOv0qZj/iGqkIAGjiBSo=" + }, + "responselike": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/responselike/-/responselike-2.0.0.tgz", + "integrity": "sha512-xH48u3FTB9VsZw7R+vvgaKeLKzT6jOogbQhEe/jewwnZgzPcnyWui2Av6JpoYZF/91uueC+lqhWqeURw5/qhCw==", "requires": { - "agent-base": "6", - "debug": "4" + "lowercase-keys": "^2.0.0" + } + }, + "ret": { + "version": "0.1.15", + "resolved": "https://registry.npmjs.org/ret/-/ret-0.1.15.tgz", + "integrity": "sha512-TTlYpa+OL+vMMNG24xSlQGEJ3B/RzEfUlLct7b5G/ytav+wPrplCpVMFuwzXbkecJrb6IYo1iFb0S9v37754mg==" + }, + "rimraf": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz", + "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", + "requires": { + "glob": "^7.1.3" + } + }, + "rsvp": { + "version": "4.8.5", + "resolved": "https://registry.npmjs.org/rsvp/-/rsvp-4.8.5.tgz", + "integrity": "sha512-nfMOlASu9OnRJo1mbEk2cz0D56a1MBNrJ7orjRZQG10XDyuvwksKbuXNp6qa+kbn839HwjwhBzhFmdsaEAfauA==" + }, + "safe-buffer": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==" + }, + "safe-regex": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/safe-regex/-/safe-regex-1.1.0.tgz", + "integrity": "sha1-QKNmnzsHfR6UPURinhV91IAjvy4=", + "requires": { + "ret": "~0.1.10" + } + }, + "safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" + }, + "sane": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/sane/-/sane-4.1.0.tgz", + "integrity": "sha512-hhbzAgTIX8O7SHfp2c8/kREfEn4qO/9q8C9beyY6+tvZ87EpoZ3i1RIEvp27YBswnNbY9mWd6paKVmKbAgLfZA==", + "requires": { + "@cnakazawa/watch": "^1.0.3", + "anymatch": "^2.0.0", + "capture-exit": "^2.0.0", + "exec-sh": "^0.3.2", + "execa": "^1.0.0", + "fb-watchman": "^2.0.0", + "micromatch": "^3.1.4", + "minimist": "^1.1.1", + "walker": "~1.0.5" + }, + "dependencies": { + "anymatch": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-2.0.0.tgz", + "integrity": "sha512-5teOsQWABXHHBFP9y3skS5P3d/WfWXpv3FUpy+LorMrNYaT9pI4oLMQX7jzQ2KklNpGpWHzdCXTDT2Y3XGlZBw==", + "requires": { + "micromatch": "^3.1.4", + "normalize-path": "^2.1.1" + } + }, + "braces": { + "version": "2.3.2", + "resolved": "https://registry.npmjs.org/braces/-/braces-2.3.2.tgz", + "integrity": "sha512-aNdbnj9P8PjdXU4ybaWLK2IF3jc/EoDYbC7AazW6to3TRsfXxscC9UXOB5iDiEQrkyIbWp2SLQda4+QAa7nc3w==", + "requires": { + "arr-flatten": "^1.1.0", + "array-unique": "^0.3.2", + "extend-shallow": "^2.0.1", + "fill-range": "^4.0.0", + "isobject": "^3.0.1", + "repeat-element": "^1.1.2", + "snapdragon": "^0.8.1", + "snapdragon-node": "^2.0.1", + "split-string": "^3.0.2", + "to-regex": "^3.0.1" + }, + "dependencies": { + "extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "requires": { + "is-extendable": "^0.1.0" + } + } + } + }, + "cross-spawn": { + "version": "6.0.5", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-6.0.5.tgz", + "integrity": "sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==", + "requires": { + "nice-try": "^1.0.4", + "path-key": "^2.0.1", + "semver": "^5.5.0", + "shebang-command": "^1.2.0", + "which": "^1.2.9" + } + }, + "execa": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/execa/-/execa-1.0.0.tgz", + "integrity": "sha512-adbxcyWV46qiHyvSp50TKt05tB4tK3HcmF7/nxfAdhnox83seTDbwnaqKO4sXRy7roHAIFqJP/Rw/AuEbX61LA==", + "requires": { + "cross-spawn": "^6.0.0", + "get-stream": "^4.0.0", + "is-stream": "^1.1.0", + "npm-run-path": "^2.0.0", + "p-finally": "^1.0.0", + "signal-exit": "^3.0.0", + "strip-eof": "^1.0.0" + } + }, + "fill-range": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-4.0.0.tgz", + "integrity": "sha1-1USBHUKPmOsGpj3EAtJAPDKMOPc=", + "requires": { + "extend-shallow": "^2.0.1", + "is-number": "^3.0.0", + "repeat-string": "^1.6.1", + "to-regex-range": "^2.1.0" + }, + "dependencies": { + "extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "requires": { + "is-extendable": "^0.1.0" + } + } + } + }, + "get-stream": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-4.1.0.tgz", + "integrity": "sha512-GMat4EJ5161kIy2HevLlr4luNjBgvmj413KaQA7jt4V8B4RDsfpHk7WQ9GVqfYyyx8OS/L66Kox+rJRNklLK7w==", + "requires": { + "pump": "^3.0.0" + } + }, + "is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=" + }, + "is-number": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-3.0.0.tgz", + "integrity": "sha1-JP1iAaR4LPUFYcgQJ2r8fRLXEZU=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "is-stream": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-1.1.0.tgz", + "integrity": "sha1-EtSj3U5o4Lec6428hBc66A2RykQ=" + }, + "micromatch": { + "version": "3.1.10", + "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-3.1.10.tgz", + "integrity": "sha512-MWikgl9n9M3w+bpsY3He8L+w9eF9338xRl8IAO5viDizwSzziFEyUzo2xrrloB64ADbTf8uA8vRqqttDTOmccg==", + "requires": { + "arr-diff": "^4.0.0", + "array-unique": "^0.3.2", + "braces": "^2.3.1", + "define-property": "^2.0.2", + "extend-shallow": "^3.0.2", + "extglob": "^2.0.4", + "fragment-cache": "^0.2.1", + "kind-of": "^6.0.2", + "nanomatch": "^1.2.9", + "object.pick": "^1.3.0", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.2" + } + }, + "normalize-path": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-2.1.1.tgz", + "integrity": "sha1-GrKLVW4Zg2Oowab35vogE3/mrtk=", + "requires": { + "remove-trailing-separator": "^1.0.1" + } + }, + "npm-run-path": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-2.0.2.tgz", + "integrity": "sha1-NakjLfo11wZ7TLLd8jV7GHFTbF8=", + "requires": { + "path-key": "^2.0.0" + } + }, + "path-key": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-2.0.1.tgz", + "integrity": "sha1-QRyttXTFoUDTpLGRDUDYDMn0C0A=" + }, + "semver": { + "version": "5.7.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-5.7.1.tgz", + "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==" + }, + "shebang-command": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-1.2.0.tgz", + "integrity": "sha1-RKrGW2lbAzmJaMOfNj/uXer98eo=", + "requires": { + "shebang-regex": "^1.0.0" + } + }, + "shebang-regex": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-1.0.0.tgz", + "integrity": "sha1-2kL0l0DAtC2yypcoVxyxkMmO/qM=" + }, + "to-regex-range": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-2.1.1.tgz", + "integrity": "sha1-fIDBe53+vlmeJzZ+DU3VWQFB2zg=", + "requires": { + "is-number": "^3.0.0", + "repeat-string": "^1.6.1" + } + }, + "which": { + "version": "1.3.1", + "resolved": "https://registry.npmjs.org/which/-/which-1.3.1.tgz", + "integrity": "sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==", + "requires": { + "isexe": "^2.0.0" + } + } + } + }, + "saxes": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-5.0.1.tgz", + "integrity": "sha512-5LBh1Tls8c9xgGjw3QrMwETmTMVk0oFgvrFSvWx62llR2hcEInrKNZ2GZCCuuy2lvWrdl5jhbpeqc5hRYKFOcw==", + "requires": { + "xmlchars": "^2.2.0" + } + }, + "semver": { + "version": "6.3.0", + "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.0.tgz", + "integrity": "sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==" + }, + "set-blocking": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/set-blocking/-/set-blocking-2.0.0.tgz", + "integrity": "sha1-BF+XgtARrppoA93TgrJDkrPYkPc=" + }, + "set-value": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/set-value/-/set-value-2.0.1.tgz", + "integrity": "sha512-JxHc1weCN68wRY0fhCoXpyK55m/XPHafOmK4UWD7m2CI14GMcFypt4w/0+NV5f/ZMby2F6S2wwA7fgynh9gWSw==", + "requires": { + "extend-shallow": "^2.0.1", + "is-extendable": "^0.1.1", + "is-plain-object": "^2.0.3", + "split-string": "^3.0.1" + }, + "dependencies": { + "extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "requires": { + "is-extendable": "^0.1.0" + } + }, + "is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=" + } + } + }, + "shebang-command": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "requires": { + "shebang-regex": "^3.0.0" + } + }, + "shebang-regex": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==" + }, + "shellwords": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/shellwords/-/shellwords-0.1.1.tgz", + "integrity": "sha512-vFwSUfQvqybiICwZY5+DAWIPLKsWO31Q91JSKl3UYv+K5c2QRPzn0qzec6QPu1Qc9eHYItiP3NdJqNVqetYAww==", + "optional": true + }, + "signal-exit": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.3.tgz", + "integrity": "sha512-VUJ49FC8U1OxwZLxIbTTrDvLnf/6TDgxZcK8wxR8zs13xpx7xbG60ndBlhNrFi2EMuFRoeDoJO7wthSLq42EjA==" + }, + "sisteransi": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/sisteransi/-/sisteransi-1.0.5.tgz", + "integrity": "sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==" + }, + "slash": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==" + }, + "snapdragon": { + "version": "0.8.2", + "resolved": "https://registry.npmjs.org/snapdragon/-/snapdragon-0.8.2.tgz", + "integrity": "sha512-FtyOnWN/wCHTVXOMwvSv26d+ko5vWlIDD6zoUJ7LW8vh+ZBC8QdljveRP+crNrtBwioEUWy/4dMtbBjA4ioNlg==", + "requires": { + "base": "^0.11.1", + "debug": "^2.2.0", + "define-property": "^0.2.5", + "extend-shallow": "^2.0.1", + "map-cache": "^0.2.2", + "source-map": "^0.5.6", + "source-map-resolve": "^0.5.0", + "use": "^3.1.0" + }, + "dependencies": { + "debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "requires": { + "ms": "2.0.0" + } + }, + "define-property": { + "version": "0.2.5", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY=", + "requires": { + "is-descriptor": "^0.1.0" + } + }, + "extend-shallow": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha1-Ua99YUrZqfYQ6huvu5idaxxWiQ8=", + "requires": { + "is-extendable": "^0.1.0" + } + }, + "is-accessor-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz", + "integrity": "sha1-qeEss66Nh2cn7u84Q/igiXtcmNY=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "is-data-descriptor": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz", + "integrity": "sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "is-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-0.1.6.tgz", + "integrity": "sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg==", + "requires": { + "is-accessor-descriptor": "^0.1.6", + "is-data-descriptor": "^0.1.4", + "kind-of": "^5.0.0" + } + }, + "is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=" + }, + "kind-of": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==" + }, + "ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g=" + }, + "source-map": { + "version": "0.5.7", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", + "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=" + } + } + }, + "snapdragon-node": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/snapdragon-node/-/snapdragon-node-2.1.1.tgz", + "integrity": "sha512-O27l4xaMYt/RSQ5TR3vpWCAB5Kb/czIcqUFOM/C4fYcLnbZUc1PkjTAMjof2pBWaSTwOUd6qUHcFGVGj7aIwnw==", + "requires": { + "define-property": "^1.0.0", + "isobject": "^3.0.0", + "snapdragon-util": "^3.0.1" + }, + "dependencies": { + "define-property": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-1.0.0.tgz", + "integrity": "sha1-dp66rz9KY6rTr56NMEybvnm/sOY=", + "requires": { + "is-descriptor": "^1.0.0" + } + } + } + }, + "snapdragon-util": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/snapdragon-util/-/snapdragon-util-3.0.1.tgz", + "integrity": "sha512-mbKkMdQKsjX4BAL4bRYTj21edOf8cN7XHdYUJEe+Zn99hVEYcMvKPct1IqNe7+AZPirn8BCDOQBHQZknqmKlZQ==", + "requires": { + "kind-of": "^3.2.0" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } } }, - "json-buffer": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/json-buffer/-/json-buffer-3.0.1.tgz", - "integrity": "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==" + "source-map": { + "version": "0.6.1", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==" }, - "json5": { - "version": "2.2.0", - "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.0.tgz", - "integrity": "sha512-f+8cldu7X/y7RAJurMEJmdoKXGB/X550w2Nr3tTbezL6RwEE/iMcm+tZnXeoZtKuOq6ft8+CqzEkrIgx1fPoQA==", - "dev": true, + "source-map-resolve": { + "version": "0.5.3", + "resolved": "https://registry.npmjs.org/source-map-resolve/-/source-map-resolve-0.5.3.tgz", + "integrity": "sha512-Htz+RnsXWk5+P2slx5Jh3Q66vhQj1Cllm0zvnaY98+NFx+Dv2CF/f5O/t8x+KaNdrdIAsruNzoh/KpialbqAnw==", "requires": { - "minimist": "^1.2.5" + "atob": "^2.1.2", + "decode-uri-component": "^0.2.0", + "resolve-url": "^0.2.1", + "source-map-url": "^0.4.0", + "urix": "^0.1.0" } }, - "keyv": { - "version": "4.0.3", - "resolved": "https://registry.npmjs.org/keyv/-/keyv-4.0.3.tgz", - "integrity": "sha512-zdGa2TOpSZPq5mU6iowDARnMBZgtCqJ11dJROFi6tg6kTn4nuUdU09lFyLFSaHrWqpIJ+EBq4E8/Dc0Vx5vLdA==", + "source-map-support": { + "version": "0.5.19", + "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.19.tgz", + "integrity": "sha512-Wonm7zOCIJzBGQdB+thsPar0kYuCIzYvxZwlBa87yi/Mdjv7Tip2cyVbLj5o0cFPN4EVkuTwb3GDDyUx2DGnGw==", "requires": { - "json-buffer": "3.0.1" + "buffer-from": "^1.0.0", + "source-map": "^0.6.0" } }, - "lowercase-keys": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/lowercase-keys/-/lowercase-keys-2.0.0.tgz", - "integrity": "sha512-tqNXrS78oMOE73NMxK4EMLQsQowWf8jKooH9g7xPavRT706R6bkQJ6DY2Te7QukaZsulxa30wQ7bk0pm4XiHmA==" + "source-map-url": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/source-map-url/-/source-map-url-0.4.1.tgz", + "integrity": "sha512-cPiFOTLUKvJFIg4SKVScy4ilPPW6rFgMgfuZJPNoDuMs3nC1HbMUycBoJw77xFIp6z1UJQJOfx6C9GMH80DiTw==" }, - "market-csgo-api": { - "version": "0.4.12", - "resolved": "https://registry.npmjs.org/market-csgo-api/-/market-csgo-api-0.4.12.tgz", - "integrity": "sha512-6ai7dQ5oD+tZ8TVdM5rNLnwP8OgYa5Bg5kqOM2/aKRJwW9c2vjCsgxZ8bgbKwL3abphj7KB64FSVIADVK6F7fg==", + "spdx-correct": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/spdx-correct/-/spdx-correct-3.1.1.tgz", + "integrity": "sha512-cOYcUWwhCuHCXi49RhFRCyJEK3iPj1Ziz9DpViV3tbZOwXD49QzIN3MpOLJNxh2qwq2lJJZaKMVw9qNi4jTC0w==", "requires": { - "bottleneck": "^2.19.5", - "got": "^11.8.2", - "merge": "^2.1.1", - "papaparse": "^5.3.0" + "spdx-expression-parse": "^3.0.0", + "spdx-license-ids": "^3.0.0" } }, - "merge": { - "version": "2.1.1", - "resolved": "https://registry.npmjs.org/merge/-/merge-2.1.1.tgz", - "integrity": "sha512-jz+Cfrg9GWOZbQAnDQ4hlVnQky+341Yk5ru8bZSe6sIDTCIg8n9i/u7hSQGSVOF3C7lH6mGtqjkiT9G4wFLL0w==" + "spdx-exceptions": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/spdx-exceptions/-/spdx-exceptions-2.3.0.tgz", + "integrity": "sha512-/tTrYOC7PPI1nUAgx34hUpqXuyJG+DTHJTnIULG4rDygi4xu/tfgmq1e1cIRwRzwZgo4NLySi+ricLkZkw4i5A==" }, - "mimic-response": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/mimic-response/-/mimic-response-1.0.1.tgz", - "integrity": "sha512-j5EctnkH7amfV/q5Hgmoal1g2QHFJRraOtmx0JpIqkxhBhI/lJSl1nMpQ45hVarwNETOoWEimndZ4QK0RHxuxQ==" + "spdx-expression-parse": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/spdx-expression-parse/-/spdx-expression-parse-3.0.1.tgz", + "integrity": "sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==", + "requires": { + "spdx-exceptions": "^2.1.0", + "spdx-license-ids": "^3.0.0" + } }, - "minimist": { - "version": "1.2.5", - "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.5.tgz", - "integrity": "sha512-FM9nNUYrRBAELZQT3xeZQ7fmMOBg6nWNmJKTcgsJeaLstP/UODVpGsr5OhXhhXg6f+qtJ8uiZ+PUxkDWcgIXLw==", - "dev": true + "spdx-license-ids": { + "version": "3.0.8", + "resolved": "https://registry.npmjs.org/spdx-license-ids/-/spdx-license-ids-3.0.8.tgz", + "integrity": "sha512-NDgA96EnaLSvtbM7trJj+t1LUR3pirkDCcz9nOUlPb5DMBGsH7oES6C3hs3j7R9oHEa1EMvReS/BUAIT5Tcr0g==" }, - "mkdirp": { - "version": "1.0.4", - "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-1.0.4.tgz", - "integrity": "sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==" + "split-string": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/split-string/-/split-string-3.1.0.tgz", + "integrity": "sha512-NzNVhJDYpwceVVii8/Hu6DKfD2G+NrQHlS/V/qgv763EYudVwEcMQNxd2lh+0VrUByXN/oJkl5grOhYWvQUYiw==", + "requires": { + "extend-shallow": "^3.0.0" + } }, - "ms": { - "version": "2.1.2", - "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", - "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" + "sprintf-js": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", + "integrity": "sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw=" }, - "node-cache": { - "version": "5.1.2", - "resolved": "https://registry.npmjs.org/node-cache/-/node-cache-5.1.2.tgz", - "integrity": "sha512-t1QzWwnk4sjLWaQAS8CHgOJ+RAfmHpxFWmc36IWTiWHQfs0w5JDMBS1b1ZxQteo0vVVuWJvIUKHDkkeK7vIGCg==", + "sshpk": { + "version": "1.16.1", + "resolved": "https://registry.npmjs.org/sshpk/-/sshpk-1.16.1.tgz", + "integrity": "sha512-HXXqVUq7+pcKeLqqZj6mHFUMvXtOJt1uoUx09pFW6011inTMxqI8BA8PM95myrIyyKwdnzjdFjLiE6KBPVtJIg==", "requires": { - "clone": "2.x" + "asn1": "~0.2.3", + "assert-plus": "^1.0.0", + "bcrypt-pbkdf": "^1.0.0", + "dashdash": "^1.12.0", + "ecc-jsbn": "~0.1.1", + "getpass": "^0.1.1", + "jsbn": "~0.1.0", + "safer-buffer": "^2.0.2", + "tweetnacl": "~0.14.0" } }, - "node-gyp-build": { - "version": "4.2.3", - "resolved": "https://registry.npmjs.org/node-gyp-build/-/node-gyp-build-4.2.3.tgz", - "integrity": "sha512-MN6ZpzmfNCRM+3t57PTJHgHyw/h4OWnZ6mR8P5j/uZtqQr46RRuDE/P+g3n0YR/AiYXeWixZZzaip77gdICfRg==" - }, - "normalize-url": { - "version": "4.5.0", - "resolved": "https://registry.npmjs.org/normalize-url/-/normalize-url-4.5.0.tgz", - "integrity": "sha512-2s47yzUxdexf1OhyRi4Em83iQk0aPvwTddtFz4hnSSw9dCEsLEGf6SwIO8ss/19S9iBb5sJaOuTvTGDeZI00BQ==" + "stack-utils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/stack-utils/-/stack-utils-2.0.3.tgz", + "integrity": "sha512-gL//fkxfWUsIlFL2Tl42Cl6+HFALEaB1FU76I/Fy+oZjRreP7OPMXFlGbxM7NQsI0ZpUfw76sHnv0WNYuTb7Iw==", + "requires": { + "escape-string-regexp": "^2.0.0" + } }, - "once": { - "version": "1.4.0", - "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", - "integrity": "sha1-WDsap3WWHUsROsF9nFC6753Xa9E=", + "static-extend": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/static-extend/-/static-extend-0.1.2.tgz", + "integrity": "sha1-YICcOcv/VTNyJv1eC1IPNB8ftcY=", "requires": { - "wrappy": "1" + "define-property": "^0.2.5", + "object-copy": "^0.1.0" + }, + "dependencies": { + "define-property": { + "version": "0.2.5", + "resolved": "https://registry.npmjs.org/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha1-w1se+RjsPJkPmlvFe+BKrOxcgRY=", + "requires": { + "is-descriptor": "^0.1.0" + } + }, + "is-accessor-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz", + "integrity": "sha1-qeEss66Nh2cn7u84Q/igiXtcmNY=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "is-data-descriptor": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz", + "integrity": "sha1-C17mSDiOLIYCgueT8YVv7D8wG1Y=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "is-descriptor": { + "version": "0.1.6", + "resolved": "https://registry.npmjs.org/is-descriptor/-/is-descriptor-0.1.6.tgz", + "integrity": "sha512-avDYr0SB3DwO9zsMov0gKCESFYqCnE4hq/4z3TdUlukEy5t9C0YRq7HLrsN52NAcqXKaepeCD0n+B0arnVG3Hg==", + "requires": { + "is-accessor-descriptor": "^0.1.6", + "is-data-descriptor": "^0.1.4", + "kind-of": "^5.0.0" + } + }, + "kind-of": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==" + } } }, - "p-cancelable": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/p-cancelable/-/p-cancelable-2.1.0.tgz", - "integrity": "sha512-HAZyB3ZodPo+BDpb4/Iu7Jv4P6cSazBz9ZM0ChhEXp70scx834aWCEjQRwgt41UzzejUAPdbqqONfRWTPYrPAQ==" + "stealthy-require": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/stealthy-require/-/stealthy-require-1.1.1.tgz", + "integrity": "sha1-NbCYdbT/SfJqd35QmzCQoyJr8ks=" }, - "papaparse": { - "version": "5.3.0", - "resolved": "https://registry.npmjs.org/papaparse/-/papaparse-5.3.0.tgz", - "integrity": "sha512-Lb7jN/4bTpiuGPrYy4tkKoUS8sTki8zacB5ke1p5zolhcSE4TlWgrlsxjrDTbG/dFVh07ck7X36hUf/b5V68pg==" + "string-length": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/string-length/-/string-length-4.0.2.tgz", + "integrity": "sha512-+l6rNN5fYHNhZZy41RXsYptCjA2Igmq4EG7kZAYFQI1E1VTXarr6ZPXBg6eq7Y6eK4FEhY6AJlyuFIb/v/S0VQ==", + "requires": { + "char-regex": "^1.0.2", + "strip-ansi": "^6.0.0" + } }, - "prettyjson": { - "version": "1.2.1", - "resolved": "https://registry.npmjs.org/prettyjson/-/prettyjson-1.2.1.tgz", - "integrity": "sha1-/P+rQdGcq0365eV15kJGYZsS0ok=", - "dev": true, + "string-width": { + "version": "4.2.2", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.2.tgz", + "integrity": "sha512-XBJbT3N4JhVumXE0eoLU9DCjcaF92KLNqTmFCnG1pf8duUxFGwtP6AD6nkjw9a3IdiRtL3E2w3JDiE/xi3vOeA==", "requires": { - "colors": "^1.1.2", - "minimist": "^1.2.0" + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.0" } }, - "pump": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/pump/-/pump-3.0.0.tgz", - "integrity": "sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==", + "strip-ansi": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.0.tgz", + "integrity": "sha512-AuvKTrTfQNYNIctbR1K/YGTR1756GycPsg7b9bdV9Duqur4gv6aKqHXah67Z8ImS7WEz5QVcOtlfW2rZEugt6w==", "requires": { - "end-of-stream": "^1.1.0", - "once": "^1.3.1" + "ansi-regex": "^5.0.0" } }, - "quick-lru": { - "version": "5.1.1", - "resolved": "https://registry.npmjs.org/quick-lru/-/quick-lru-5.1.1.tgz", - "integrity": "sha512-WuyALRjWPDGtt/wzJiadO5AXY+8hZ80hVpe6MyivgraREW751X3SbhRvG3eLKOYN+8VEvqLcf3wdnt44Z4S4SA==" + "strip-bom": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-4.0.0.tgz", + "integrity": "sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w==" }, - "resolve-alpn": { + "strip-eof": { "version": "1.0.0", - "resolved": "https://registry.npmjs.org/resolve-alpn/-/resolve-alpn-1.0.0.tgz", - "integrity": "sha512-rTuiIEqFmGxne4IovivKSDzld2lWW9QCjqv80SYjPgf+gS35eaCAjaP54CCwGAwBtnCsvNLYtqxe1Nw+i6JEmA==" + "resolved": "https://registry.npmjs.org/strip-eof/-/strip-eof-1.0.0.tgz", + "integrity": "sha1-u0P/VZim6wXYm1n80SnJgzE2Br8=" }, - "responselike": { + "strip-final-newline": { "version": "2.0.0", - "resolved": "https://registry.npmjs.org/responselike/-/responselike-2.0.0.tgz", - "integrity": "sha512-xH48u3FTB9VsZw7R+vvgaKeLKzT6jOogbQhEe/jewwnZgzPcnyWui2Av6JpoYZF/91uueC+lqhWqeURw5/qhCw==", - "requires": { - "lowercase-keys": "^2.0.0" - } + "resolved": "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-2.0.0.tgz", + "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==" }, "supports-color": { "version": "7.2.0", "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", - "dev": true, "requires": { "has-flag": "^4.0.0" } }, + "supports-hyperlinks": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/supports-hyperlinks/-/supports-hyperlinks-2.2.0.tgz", + "integrity": "sha512-6sXEzV5+I5j8Bmq9/vUphGRM/RJNT9SCURJLjwfOg51heRtguGWDzcaBlgAzKhQa0EVNpPEKzQuBwZ8S8WaCeQ==", + "requires": { + "has-flag": "^4.0.0", + "supports-color": "^7.0.0" + } + }, + "symbol-tree": { + "version": "3.2.4", + "resolved": "https://registry.npmjs.org/symbol-tree/-/symbol-tree-3.2.4.tgz", + "integrity": "sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==" + }, + "terminal-link": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/terminal-link/-/terminal-link-2.1.1.tgz", + "integrity": "sha512-un0FmiRUQNr5PJqy9kP7c40F5BOfpGlYTrxonDChEZB7pzZxRNp/bt+ymiy9/npwXya9KH99nJ/GXFIiUkYGFQ==", + "requires": { + "ansi-escapes": "^4.2.1", + "supports-hyperlinks": "^2.0.0" + } + }, + "test-exclude": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/test-exclude/-/test-exclude-6.0.0.tgz", + "integrity": "sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w==", + "requires": { + "@istanbuljs/schema": "^0.1.2", + "glob": "^7.1.4", + "minimatch": "^3.0.4" + } + }, + "throat": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/throat/-/throat-5.0.0.tgz", + "integrity": "sha512-fcwX4mndzpLQKBS1DVYhGAcYaYt7vsHNIvQV+WXMvnow5cgjPphq5CaayLaGsjRdSCKZFNGt7/GYAuXaNOiYCA==" + }, "tinytim": { "version": "0.1.1", "resolved": "https://registry.npmjs.org/tinytim/-/tinytim-0.1.1.tgz", "integrity": "sha1-yWih5VWa2VUyJO92J7qzTjyu+Kg=" }, + "tmpl": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/tmpl/-/tmpl-1.0.4.tgz", + "integrity": "sha1-I2QN17QtAEM5ERQIIOXPRA5SHdE=" + }, + "to-fast-properties": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/to-fast-properties/-/to-fast-properties-2.0.0.tgz", + "integrity": "sha1-3F5pjL0HkmW8c+A3doGk5Og/YW4=" + }, + "to-object-path": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/to-object-path/-/to-object-path-0.3.0.tgz", + "integrity": "sha1-KXWIt7Dn4KwI4E5nL4XB9JmeF68=", + "requires": { + "kind-of": "^3.0.2" + }, + "dependencies": { + "kind-of": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha1-MeohpzS6ubuw8yRm2JOupR5KPGQ=", + "requires": { + "is-buffer": "^1.1.5" + } + } + } + }, + "to-regex": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/to-regex/-/to-regex-3.0.2.tgz", + "integrity": "sha512-FWtleNAtZ/Ki2qtqej2CXTOayOH9bHDQF+Q48VpWyDXjbYxA4Yz8iDB31zXOBUlOHHKidDbqGVrTUvQMPmBGBw==", + "requires": { + "define-property": "^2.0.2", + "extend-shallow": "^3.0.2", + "regex-not": "^1.0.2", + "safe-regex": "^1.1.0" + } + }, + "to-regex-range": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", + "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", + "requires": { + "is-number": "^7.0.0" + } + }, + "tough-cookie": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.0.0.tgz", + "integrity": "sha512-tHdtEpQCMrc1YLrMaqXXcj6AxhYi/xgit6mZu1+EDWUn+qhUf8wMQoFIy9NXuq23zAwtcB0t/MjACGR18pcRbg==", + "requires": { + "psl": "^1.1.33", + "punycode": "^2.1.1", + "universalify": "^0.1.2" + } + }, + "tr46": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/tr46/-/tr46-2.0.2.tgz", + "integrity": "sha512-3n1qG+/5kg+jrbTzwAykB5yRYtQCTqOGKq5U5PE3b0a1/mzo6snDhjGS0zJVJunO0NrT3Dg1MLy5TjWP/UJppg==", + "requires": { + "punycode": "^2.1.1" + } + }, "tracer": { "version": "1.1.4", "resolved": "https://registry.npmjs.org/tracer/-/tracer-1.1.4.tgz", @@ -1001,16 +10386,312 @@ "resolved": "https://registry.npmjs.org/tunnel/-/tunnel-0.0.6.tgz", "integrity": "sha512-1h/Lnq9yajKY2PEbBadPXj3VxsDDu844OnaAo52UVmIzIvwwtBPIuNvkjuzBlTWpfJyUbG3ez0KSBibQkj4ojg==" }, + "tunnel-agent": { + "version": "0.6.0", + "resolved": "https://registry.npmjs.org/tunnel-agent/-/tunnel-agent-0.6.0.tgz", + "integrity": "sha1-J6XeoGs2sEoKmWZ3SykIaPD8QP0=", + "requires": { + "safe-buffer": "^5.0.1" + } + }, + "tweetnacl": { + "version": "0.14.5", + "resolved": "https://registry.npmjs.org/tweetnacl/-/tweetnacl-0.14.5.tgz", + "integrity": "sha1-WuaBd/GS1EViadEIr6k/+HQ/T2Q=" + }, + "type-check": { + "version": "0.3.2", + "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.3.2.tgz", + "integrity": "sha1-WITKtRLPHTVeP7eE8wgEsrUg23I=", + "requires": { + "prelude-ls": "~1.1.2" + } + }, + "type-detect": { + "version": "4.0.8", + "resolved": "https://registry.npmjs.org/type-detect/-/type-detect-4.0.8.tgz", + "integrity": "sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==" + }, + "type-fest": { + "version": "0.21.3", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.21.3.tgz", + "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==" + }, + "typedarray-to-buffer": { + "version": "3.1.5", + "resolved": "https://registry.npmjs.org/typedarray-to-buffer/-/typedarray-to-buffer-3.1.5.tgz", + "integrity": "sha512-zdu8XMNEDepKKR+XYOXAVPtWui0ly0NtohUscw+UmaHiAWT8hrV1rr//H6V+0DvJ3OQ19S979M0laLfX8rm82Q==", + "requires": { + "is-typedarray": "^1.0.0" + } + }, + "union-value": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/union-value/-/union-value-1.0.1.tgz", + "integrity": "sha512-tJfXmxMeWYnczCVs7XAEvIV7ieppALdyepWMkHkwciRpZraG/xwT+s2JN8+pr1+8jCRf80FFzvr+MpQeeoF4Xg==", + "requires": { + "arr-union": "^3.1.0", + "get-value": "^2.0.6", + "is-extendable": "^0.1.1", + "set-value": "^2.0.1" + }, + "dependencies": { + "is-extendable": { + "version": "0.1.1", + "resolved": "https://registry.npmjs.org/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha1-YrEQ4omkcUGOPsNqYX1HLjAd/Ik=" + } + } + }, + "universalify": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.1.2.tgz", + "integrity": "sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg==" + }, + "unset-value": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/unset-value/-/unset-value-1.0.0.tgz", + "integrity": "sha1-g3aHP30jNRef+x5vw6jtDfyKtVk=", + "requires": { + "has-value": "^0.3.1", + "isobject": "^3.0.0" + }, + "dependencies": { + "has-value": { + "version": "0.3.1", + "resolved": "https://registry.npmjs.org/has-value/-/has-value-0.3.1.tgz", + "integrity": "sha1-ex9YutpiyoJ+wKIHgCVlSEWZXh8=", + "requires": { + "get-value": "^2.0.3", + "has-values": "^0.1.4", + "isobject": "^2.0.0" + }, + "dependencies": { + "isobject": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/isobject/-/isobject-2.1.0.tgz", + "integrity": "sha1-8GVWEJaj8dou9GJy+BXIQNh+DIk=", + "requires": { + "isarray": "1.0.0" + } + } + } + }, + "has-values": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/has-values/-/has-values-0.1.4.tgz", + "integrity": "sha1-bWHeldkd/Km5oCCJrThL/49it3E=" + } + } + }, + "uri-js": { + "version": "4.4.1", + "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz", + "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", + "requires": { + "punycode": "^2.1.0" + } + }, + "urix": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/urix/-/urix-0.1.0.tgz", + "integrity": "sha1-2pN/emLiH+wf0Y1Js1wpNQZ6bHI=" + }, + "use": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/use/-/use-3.1.1.tgz", + "integrity": "sha512-cwESVXlO3url9YWlFW/TA9cshCEhtu7IKJ/p5soJ/gGpj7vbvFrAY/eIioQ6Dw23KjZhYgiIo8HOs1nQ2vr/oQ==" + }, + "uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "optional": true + }, + "v8-to-istanbul": { + "version": "7.1.2", + "resolved": "https://registry.npmjs.org/v8-to-istanbul/-/v8-to-istanbul-7.1.2.tgz", + "integrity": "sha512-TxNb7YEUwkLXCQYeudi6lgQ/SZrzNO4kMdlqVxaZPUIUjCv6iSSypUQX70kNBSERpQ8fk48+d61FXk+tgqcWow==", + "requires": { + "@types/istanbul-lib-coverage": "^2.0.1", + "convert-source-map": "^1.6.0", + "source-map": "^0.7.3" + }, + "dependencies": { + "source-map": { + "version": "0.7.3", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.7.3.tgz", + "integrity": "sha512-CkCj6giN3S+n9qrYiBTX5gystlENnRW5jZeNLHpe6aue+SrHcG5VYwujhW9s4dY31mEGsxBDrHR6oI69fTXsaQ==" + } + } + }, + "validate-npm-package-license": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz", + "integrity": "sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==", + "requires": { + "spdx-correct": "^3.0.0", + "spdx-expression-parse": "^3.0.0" + } + }, + "verror": { + "version": "1.10.0", + "resolved": "https://registry.npmjs.org/verror/-/verror-1.10.0.tgz", + "integrity": "sha1-OhBcoXBTr1XW4nDB+CiGguGNpAA=", + "requires": { + "assert-plus": "^1.0.0", + "core-util-is": "1.0.2", + "extsprintf": "^1.2.0" + } + }, + "w3c-hr-time": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/w3c-hr-time/-/w3c-hr-time-1.0.2.tgz", + "integrity": "sha512-z8P5DvDNjKDoFIHK7q8r8lackT6l+jo/Ye3HOle7l9nICP9lf1Ci25fy9vHd0JOWewkIFzXIEig3TdKT7JQ5fQ==", + "requires": { + "browser-process-hrtime": "^1.0.0" + } + }, + "w3c-xmlserializer": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/w3c-xmlserializer/-/w3c-xmlserializer-2.0.0.tgz", + "integrity": "sha512-4tzD0mF8iSiMiNs30BiLO3EpfGLZUT2MSX/G+o7ZywDzliWQ3OPtTZ0PTC3B3ca1UAf4cJMHB+2Bf56EriJuRA==", + "requires": { + "xml-name-validator": "^3.0.0" + } + }, + "walker": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/walker/-/walker-1.0.7.tgz", + "integrity": "sha1-L3+bj9ENZ3JisYqITijRlhjgKPs=", + "requires": { + "makeerror": "1.0.x" + } + }, + "webidl-conversions": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-6.1.0.tgz", + "integrity": "sha512-qBIvFLGiBpLjfwmYAaHPXsn+ho5xZnGvyGvsarywGNc8VyQJUMHJ8OBKGGrPER0okBeMDaan4mNBlgBROxuI8w==" + }, + "whatwg-encoding": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/whatwg-encoding/-/whatwg-encoding-1.0.5.tgz", + "integrity": "sha512-b5lim54JOPN9HtzvK9HFXvBma/rnfFeqsic0hSpjtDbVxR3dJKLc+KB4V6GgiGOvl7CY/KNh8rxSo9DKQrnUEw==", + "requires": { + "iconv-lite": "0.4.24" + } + }, + "whatwg-mimetype": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/whatwg-mimetype/-/whatwg-mimetype-2.3.0.tgz", + "integrity": "sha512-M4yMwr6mAnQz76TbJm914+gPpB/nCwvZbJU28cUD6dR004SAxDLOOSUaB1JDRqLtaOV/vi0IC5lEAGFgrjGv/g==" + }, + "whatwg-url": { + "version": "8.5.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-8.5.0.tgz", + "integrity": "sha512-fy+R77xWv0AiqfLl4nuGUlQ3/6b5uNfQ4WAbGQVMYshCTCCPK9psC1nWh3XHuxGVCtlcDDQPQW1csmmIQo+fwg==", + "requires": { + "lodash": "^4.7.0", + "tr46": "^2.0.2", + "webidl-conversions": "^6.1.0" + } + }, + "which": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "requires": { + "isexe": "^2.0.0" + } + }, + "which-module": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/which-module/-/which-module-2.0.0.tgz", + "integrity": "sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=" + }, + "word-wrap": { + "version": "1.2.3", + "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz", + "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==" + }, + "wrap-ansi": { + "version": "6.2.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-6.2.0.tgz", + "integrity": "sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==", + "requires": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + } + }, "wrappy": { "version": "1.0.2", "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=" }, + "write-file-atomic": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-3.0.3.tgz", + "integrity": "sha512-AvHcyZ5JnSfq3ioSyjrBkH9yW4m7Ayk8/9My/DD9onKeu/94fwrMocemO2QAJFAlnnDN+ZDS+ZjAR5ua1/PV/Q==", + "requires": { + "imurmurhash": "^0.1.4", + "is-typedarray": "^1.0.0", + "signal-exit": "^3.0.2", + "typedarray-to-buffer": "^3.1.5" + } + }, "ws": { "version": "7.4.4", "resolved": "https://registry.npmjs.org/ws/-/ws-7.4.4.tgz", "integrity": "sha512-Qm8k8ojNQIMx7S+Zp8u/uHOx7Qazv3Yv4q68MiWWWOJhiwG5W3x7iqmRtJo8xxrciZUY4vRxUTJCKuRnF28ZZw==", "requires": {} + }, + "xml-name-validator": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/xml-name-validator/-/xml-name-validator-3.0.0.tgz", + "integrity": "sha512-A5CUptxDsvxKJEU3yO6DuWBSJz/qizqzJKOMIfUJHETbBw/sFaDxgd6fxm1ewUaM0jZ444Fc5vC5ROYurg/4Pw==" + }, + "xmlchars": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/xmlchars/-/xmlchars-2.2.0.tgz", + "integrity": "sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw==" + }, + "y18n": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/y18n/-/y18n-4.0.3.tgz", + "integrity": "sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ==" + }, + "yallist": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz", + "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==" + }, + "yargs": { + "version": "15.4.1", + "resolved": "https://registry.npmjs.org/yargs/-/yargs-15.4.1.tgz", + "integrity": "sha512-aePbxDmcYW++PaqBsJ+HYUFwCdv4LVvdnhBy78E57PIor8/OVvhMrADFFEDh8DHDFRv/O9i3lPhsENjO7QX0+A==", + "requires": { + "cliui": "^6.0.0", + "decamelize": "^1.2.0", + "find-up": "^4.1.0", + "get-caller-file": "^2.0.1", + "require-directory": "^2.1.1", + "require-main-filename": "^2.0.0", + "set-blocking": "^2.0.0", + "string-width": "^4.2.0", + "which-module": "^2.0.0", + "y18n": "^4.0.0", + "yargs-parser": "^18.1.2" + } + }, + "yargs-parser": { + "version": "18.1.3", + "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-18.1.3.tgz", + "integrity": "sha512-o50j0JeToy/4K6OZcaQmW6lyXXKhq7csREXcDwk2omFPJEwUNOVtJKvmDr9EI1fAJZUyZcRF7kxGBWmRXudrCQ==", + "requires": { + "camelcase": "^5.0.0", + "decamelize": "^1.2.0" + } } } } diff --git a/package.json b/package.json index 9d843db..58331e0 100644 --- a/package.json +++ b/package.json @@ -4,7 +4,8 @@ "author": "Malsa", "description": "High level wrapper for market.csgo.com (AKA tm.csgo.com)", "scripts": { - "test": "echo \"Error: no test specified\" && exit 1" + "build": "tsc -p tsconfig.json", + "test": "npm run build || NODE_ENV=test jest test/index.test.js --runInBand --detectOpenHandles --coverage --testTimeout=10000" }, "repository": { "type": "git", @@ -21,10 +22,30 @@ "market", "csgo" ], + "license": "GNU", + + "jest": { + "coverageDirectory": "test/coverage", + "setupFiles": [ + "./test/setup.js" + ], + "testMatch": [ + "**/test/index.test.js" + ], + "testEnvironment": "node", + "moduleNameMapper": { + + }, + "coveragePathIgnorePatterns": [ + "/node_modules/", + "/test/" + ] + }, "dependencies": { "bufferutil": "^4.0.3", "https-proxy-agent": "^5.0.0", + "jest": "^26.6.3", "market-csgo-api": "^0.4.12", "node-cache": "^5.1.2", "tracer": "^1.1.4", diff --git a/src/MarketManager.ts b/src/MarketManager.ts new file mode 100644 index 0000000..356ff4d --- /dev/null +++ b/src/MarketManager.ts @@ -0,0 +1,101 @@ +// @ts-ignore +const MarketAPIProvider = require('src/helpers/get_market_API'); +// @ts-ignore +const BadOffersCache = require('./lib/cache'); +// @ts-ignore +const MarketWS = require('./lib/ws'); + +// @ts-ignore +const EventEmitter = require('events'); +// @ts-ignore +const MarketKnapsack = require('./lib/knapsack'); + +const v1 = require('./versions/v1'); +const v2 = require('./versions/v2'); + +const generalEmitter = require('./emitters') + +module.exports = class MarketManager extends EventEmitter { + + marketAPIProvider: typeof MarketAPIProvider; + badOffersCache: typeof BadOffersCache; + knapsack: typeof MarketKnapsack; + marketWS: typeof MarketWS; + APIKey: string; + version: string; + started: false; + currency: string; + + + constructor(initOptions: { + APIKey: string, + version?: 'v1' | 'v2', + currency?: 'USD' | 'RUB' | 'EUR' + }) { + + super(); + + /** + * Set API key + * @type {string} + */ + this.APIKey = initOptions.APIKey; + + /** + * Set default currency + * @type {"USD" | "RUB" | "EUR"} + */ + this.currency = initOptions.currency || this.currency; + /** + * Set API version + * @type {string} + */ + this.version = initOptions.version || this.version; + + + /** + * + * Hold all event emitters in one module + */ + this.emitEvent = generalEmitter.bind(this); + /** + * Init API provider lib locally or from repository WS client to get data from CSGO market + */ + this.marketAPIProvider = new MarketAPIProvider({ + APIKey: initOptions.APIKey + }); + + + /** + * Init Node cache for bad offers + * @type {BadOffersCache} + */ + this.badOffersCache = new BadOffersCache({}); + + this.knapsack = new MarketKnapsack({}); + + /** + * Init WS client to get data from CSGO market with `this` passed + */ + this.marketWS = new MarketWS({ + marketAPIProvider: this.marketAPIProvider, + version: this.version + }) + + /** + * Create getter v1 to be called like Manager.v1.buy() + * Not ready now for v2 has higher priority + */ + Object.defineProperty(this, 'v1', {get: v1.bind(this)}); + /** + * Create getter v2 to be called like Manager.v2.buy() + */ + Object.defineProperty(this, 'v2', {get: v2.bind(this)}); + + + + this[this.version].setWSEvents.call(this); + + } + +} diff --git a/src/emitters/index.ts b/src/emitters/index.ts new file mode 100644 index 0000000..42558c4 --- /dev/null +++ b/src/emitters/index.ts @@ -0,0 +1,12 @@ + module.exports = function (eventName: string, eventData: object) { + const EMITTER_DATA = { + 'ws_stuck': { + message: 'Websocket stuck' + } + }; + + return this.emit(eventName, { + ...eventData, + ...EMITTER_DATA[eventName] + }) + } diff --git a/src/enums/currencies.ts b/src/enums/currencies.ts new file mode 100644 index 0000000..7c7cc84 --- /dev/null +++ b/src/enums/currencies.ts @@ -0,0 +1 @@ +module.exports = Object.freeze(['RUB', 'EUR', 'USD']); \ No newline at end of file diff --git a/src/enums/index.ts b/src/enums/index.ts new file mode 100644 index 0000000..65a6f75 --- /dev/null +++ b/src/enums/index.ts @@ -0,0 +1,4 @@ +module.exports = { + MARKET_API_VERSIONS: require("./versions"), + CURRENCIES: require("./currencies"), +}; diff --git a/src/enums/languages.ts b/src/enums/languages.ts new file mode 100644 index 0000000..b705098 --- /dev/null +++ b/src/enums/languages.ts @@ -0,0 +1 @@ +module.exports = Object.freeze(['en', 'ru']); \ No newline at end of file diff --git a/src/enums/validation_schemas/channels_names.ts b/src/enums/validation_schemas/channels_names.ts new file mode 100644 index 0000000..61349b5 --- /dev/null +++ b/src/enums/validation_schemas/channels_names.ts @@ -0,0 +1,10 @@ +module.exports = Object.freeze(['en', 'ru']);module.exports = Object.freeze({ + public: ["newitems_go", "history_go"], + private: [ + "additem_go", + "itemout_new_go", + "itemstatus_go", + "money", + "webnotify", + ], +}); diff --git a/src/enums/validation_schemas/default_validation_schema.ts b/src/enums/validation_schemas/default_validation_schema.ts new file mode 100644 index 0000000..aaf0aac --- /dev/null +++ b/src/enums/validation_schemas/default_validation_schema.ts @@ -0,0 +1,3 @@ +// @ts-ignore +const JOI = require("joi"); +module.exports = JOI.any(); diff --git a/src/enums/validation_schemas/init_options_validation_schema.ts b/src/enums/validation_schemas/init_options_validation_schema.ts new file mode 100644 index 0000000..0ccf6e3 --- /dev/null +++ b/src/enums/validation_schemas/init_options_validation_schema.ts @@ -0,0 +1,25 @@ +// @ts-ignore +const JOI = require("joi"); + + + +const WS_VALIDATION_SCHEMA = JOI.object( + Object.freeze({ + messageCallback: JOI.func().minArity(1), + channels: JOI.array().items(JOI.string().valid()), + onOpenCallback: JOI.func().minArity(1), + onCloseCallback: JOI.func().minArity(1), + onErrorCallback: JOI.func().minArity(1), + }) +); + +//Check init options +module.exports = Object.freeze( + JOI.object({ + APIKey: JOI.string().alphanum(), + + v1: WS_VALIDATION_SCHEMA, + v2: WS_VALIDATION_SCHEMA, + marketAPIProvider: JOI.func(), + }) +); diff --git a/src/enums/versions.ts b/src/enums/versions.ts new file mode 100644 index 0000000..27dc159 --- /dev/null +++ b/src/enums/versions.ts @@ -0,0 +1 @@ +module.exports = Object.freeze(['v1', 'v2']); \ No newline at end of file diff --git a/src/helpers/get_market_API.ts b/src/helpers/get_market_API.ts new file mode 100644 index 0000000..6105200 --- /dev/null +++ b/src/helpers/get_market_API.ts @@ -0,0 +1,46 @@ +const CSGO_MARKET_API_NPM_LIB = require("market-csgo-api"); + +/** + * + * @param {string} version + * @returns {ClassDecorator} + * Returns API provider from local repo for dev or from npm + */ +module.exports = function (version: string){ + + const IS_DEV = ["development", "test"].includes(process.env.NODE_ENV); + + + const APIProviderBase = IS_DEV + ? require("./../../../market-csgo-api/dist") + : CSGO_MARKET_API_NPM_LIB; + + /** + * A simple decorator to pre-process API errors and to raise them on manager level if they are server-side + * or return them to the initiator + * @type {ClassDecorator} + */ + const APIProvider = class extends APIProviderBase { + constructor() { + super(); + + Object.keys(APIProvider[version]).map(method => { + APIProvider[version][method] = async function (params: object) { + try { + return APIProviderBase[version][method](params) + } catch (error: {code: number} | any) { + if (error.code >= 500) { + return this.emit('APICrash', error) + } else { + throw error; + } + } + } + }) + } + }; + + return APIProvider; + +}; + diff --git a/src/helpers/get_trade_data.ts b/src/helpers/get_trade_data.ts new file mode 100644 index 0000000..ba5bf4d --- /dev/null +++ b/src/helpers/get_trade_data.ts @@ -0,0 +1,14 @@ +/** + * + * @param partnerId + * @param tradeToken + * @returns {{tradeToken: any, partnerId: any}} + * Formats trade data + */ +module.exports = function (partnerId, tradeToken) { + return (partnerId && tradeToken) ? { + partnerId: partnerId, + tradeToken: tradeToken, + + } : null; +}; diff --git a/src/helpers/index.ts b/src/helpers/index.ts new file mode 100644 index 0000000..852cf3e Binary files /dev/null and b/src/helpers/index.ts differ diff --git a/src/helpers/validators/index.ts b/src/helpers/validators/index.ts new file mode 100644 index 0000000..7db48c6 --- /dev/null +++ b/src/helpers/validators/index.ts @@ -0,0 +1,12 @@ +const JOI = require("joi"); +const EMITTERS = require("@emitters"); +const DEFAULT_VALIDATION_SCHEMA = require("@defaultValidationSchema"); + +const JOI = require("joi"); +const EMITTERS = require("@emitters"); +const DEFAULT_VALIDATION_SCHEMA = require("@defaultValidationSchema"); + +module.exports = (object, schema = DEFAULT_VALIDATION_SCHEMA, emitterName) => { + let ERROR = JOI.validate(object, schema, { abortEarly: false }); + return ERROR && EMITTERS[emitterName](ERROR); +}; diff --git a/src/helpers/validators/validate_init_options.ts b/src/helpers/validators/validate_init_options.ts new file mode 100644 index 0000000..0b84385 --- /dev/null +++ b/src/helpers/validators/validate_init_options.ts @@ -0,0 +1,19 @@ +const INIT_OPTIONS_VALIDATION_SCHEMA = require("../../enums/validation_schemas/init_options_validation_schema"); +const VALIDATE_WITH_JOI = require("@validateWithJoi"); + +module.exports = (initOptions) => { + const SCHEMA = { INIT_OPTIONS_VALIDATION_SCHEMA }; + VALIDATE_WITH_JOI( + initOptions, + INIT_OPTIONS_VALIDATION_SCHEMA, + const INIT_OPTIONS_VALIDATION_SCHEMA = require("../../enums/validation_schemas/init_options_validation_schema"); +const VALIDATE_WITH_JOI = require("@validateWithJoi"); + +module.exports = (initOptions) => { + const SCHEMA = { INIT_OPTIONS_VALIDATION_SCHEMA }; + VALIDATE_WITH_JOI( + initOptions, + INIT_OPTIONS_VALIDATION_SCHEMA, + "clientErrorsEmitter" + ); +}; diff --git a/src/index.ts b/src/index.ts new file mode 100644 index 0000000..3ea6548 --- /dev/null +++ b/src/index.ts @@ -0,0 +1,8 @@ +"use strict"; + +const MarketManager = require("./lib/MarketManager"); +const CManagerConfig = require("./lib/config/CManagerConfig"); + +module.exports = MarketManager; + +module.exports.CManagerConfig = CManagerConfig; diff --git a/src/lib/cache/index.ts b/src/lib/cache/index.ts new file mode 100644 index 0000000..2693c46 --- /dev/null +++ b/src/lib/cache/index.ts @@ -0,0 +1,128 @@ +// @ts-ignore +const NodeCache = require("node-cache"); + + +module.exports = class BadOffersCache { + + cache: { + get: Function, + set: Function + }; + state = { + penaltyTime: 0, + TTL: 100, + started: false, + countersAreShared: false, + updateInterval: 100 + } + + + globalCommonCounter = {}; + globalPreciseCounter = {}; + + constructor(initOptions: { + TTL: number, + updateInterval: number + }) { + this.cache = new NodeCache({ + stdTTL: initOptions.TTL, + + }); + + this.state = { + ...this.state, + ...initOptions + }; + + this.initIntervals() + + } + + initIntervals() { + setInterval(() => { + this.decreaseCounter(this.globalCommonCounter); + this.decreaseCounter(this.globalPreciseCounter); + }, this.state.updateInterval) + } + + + getCommonHashId(item: { + instanceId: number, + classId: number + }) { + return item.instanceId + "_" + item.classId; + }; + + getPreciseHashId(item: { + instanceId: number, + classId: number, + price: number + }) { + return this.getCommonHashId(item) + "_" + item.price; + }; + + + findItemById(id: number) { + return this.cache.get(id.toString()); + }; + + + markAsBad(item) { + let commonHash = this.getCommonHashId(item); + this.updateCounter(this.globalCommonCounter, commonHash); + + if (item.price === undefined) { + let preciseHash = this.getPreciseHashId(item); + this.updateCounter(this.globalPreciseCounter, preciseHash); + } + }; + + + decreaseCounter(counter) { + Object.keys(counter).map(hashId => { + + let timePassed = Date.now() - counter[hashId].lastUpdate; + let penaltyTimedOut = timePassed > this.state.penaltyTime; + + if (penaltyTimedOut) { + counter[hashId].lastUpdate = Date.now(); + counter[hashId].fails -= 1; + + if (counter[hashId].fails <= 0) { + delete counter[hashId]; + } + } + }); + } + + + updateCounter(counter, hashId) { + + const CURRENT_COUNTER = counter[hashId] || { + lastUpdate: Date.now(), + fails: 0 + } + + counter[hashId] = { + ...CURRENT_COUNTER, + lastUpdate: Date.now(), + fails: CURRENT_COUNTER + 1 + } + + } + + + storeBoughtOffer(boughtItem: { + instanceId: number, + uiId: number, + classId: number, + price: number, + offerPrice: number + }) { + this.cache.set(boughtItem.uiId.toString(), { + instanceId: boughtItem.instanceId, + classId: boughtItem.classId, + price: boughtItem.offerPrice, + }); + }; +} diff --git a/src/lib/knapsack/index.ts b/src/lib/knapsack/index.ts new file mode 100644 index 0000000..c0de7eb --- /dev/null +++ b/src/lib/knapsack/index.ts @@ -0,0 +1,494 @@ +module.exports = class MarketKnapsack { + + // this._market = layer; + // this._sockets = sockets; + + + items: object; + + trades: object + + + constructor() { + } + + + itemsCount() { + + + const ITEMS_VALUES = Object.values(this.items); + + return { + /** + * We bought them, but still can't take + */ + pending: ITEMS_VALUES.filter(value => value === EMarketItemStatus.pending).length, + /** + * We are ready to take them or they are already sent + */ + sent: ITEMS_VALUES.filter(value => value === EMarketItemStatus.sent).length + }; + + + }; + + add(item, data) { + if (this.items[item.uiId]) { + this._update(item, data); + return; + } + + this.items[item.uiId] = item; + + // this.emit(EKnapsackEvent.ItemAdd, item); + // this.emit(EKnapsackEvent.Update); + }; + + update(item, data) { + if (!item) { + return; // Invalid action + } + if (item.status === data.status) { + // todo + } + + // todo + + this.emit(EKnapsackEvent.ItemUpdate, item); + this.emit(EKnapsackEvent.Update); + }; + + remove(item) { + if (!item) { + return; // Invalid action + } + + // todo + + this.emit(EKnapsackEvent.ItemAccepted, item); + this.emit(EKnapsackEvent.Update); + }; + + processItem(item) { + let updated = false; + + if (!self.items[item.ui_id]) { + self.items[item.ui_id] = item; + + updated = self._changeCounters(item, 1); + } else { + let cItem = self.items[item.ui_id]; + + if (cItem.ui_status !== item.ui_status) { + self._changeCounters(cItem, -1); + + cItem.ui_status = item.ui_status; + + updated = self._changeCounters(cItem, 1); + } + } + + if (updated) { + self.emit("updated"); + } + }; + + +} + + +"use strict"; + +const ITEM_RECHECK_INTERVAL = 10 * 1000; + +const EventEmitter = require("events").EventEmitter; + +const EMarketItemStatus = require("../market/enums/system/EMarketItemStatus"); +const EKnapsackItemStatus = require("./enums/EKnapsackItemStatus"); +const ESocketEvent = require("../market/enums/ESocketEvent"); +const EKnapsackEvent = require("./enums/EKnapsackEvent"); + +const CKnapsackItem = require("./classes/CKnapsackItem"); +const CKnapsackTrade = require("./classes/CKnapsackTrade"); + +const ChangeableInterval = require("../../modules/ChangeableInterval"); + +module.exports = MarketKnapsack; +require("util").inherits(MarketKnapsack, EventEmitter); + +/** + * Manages: items list, their precise state/events, trades info/creation + * + * @param {CKnapsackConfig} config + * @param {MarketLayer} layer + * @param {MarketSockets} sockets + * @param {console} [_logger] + * @constructor + * @extends {EventEmitter} + */ +function MarketKnapsack(config, layer, sockets?, _logger = console) { + this._config = config; + + /** @interface {console} */ + this._log = _logger; + + this.started = false; + + this._market = layer; + this._sockets = sockets; + + /** + * Indexed by item.ui_id + * @type {Object.} + */ + this.items = {}; + /** + * Indexed by Market bot id. We need it to avoid multiple requests of the same bot + * @type {Object.} + */ + this.trades = {}; +} + +MarketKnapsack.prototype.start = function () { + if (this.started) { + return; + } + this.started = true; + + this._log.trace("Starting knapsack"); + + this._setCheckInterval(); + this._setWsEvents(); +}; + +MarketKnapsack.prototype._setCheckInterval = function () { + this._checker = new ChangeableInterval(() => this.check(), this._config.updateInterval); +}; + +MarketKnapsack.prototype._setWsEvents = function () { + this._sockets.on(ESocketEvent.Auth, () => { + this._checker.change(this._config.validationInterval); + }); + this._sockets.on(ESocketEvent.DeAuth, () => { + this._checker.change(this._config.updateInterval); + }); + + this._sockets.on(ESocketEvent.ItemAdd, (data) => { + //console.log("itemAdd", data); + let item = new CKnapsackItem(data); + + this._add(item, data); + }); + this._sockets.on(ESocketEvent.ItemTake, (data) => { + //console.log("itemTake", data); + let item = this.items[data.ui_id]; + + this._update(item, data); + }); + this._sockets.on(ESocketEvent.ItemRemove, (data) => { + //console.log("itemRemove", data); + let item = this.items[data.ui_id]; + + this._remove(item); + }); +}; + +MarketKnapsack.prototype.itemsCount = function () { + let data = { + pending: 0, // We bought them, but still can't take + sent: 0, // We are ready to take them or they are already sent + }; + + for (let id in this.items) { + let item = this.items[id]; + + switch (item.status) { + case EKnapsackItemStatus.Pending: + data.pending++; + break; + case EKnapsackItemStatus.Sent: + data.sent++; + break; + } + } + + return data; +}; + +/** + * @param {CKnapsackItem} item + * @param {Object} data + * @private + */ +MarketKnapsack.prototype._add = function (item, data) { + if (this.items[item.uiId]) { + this._update(item, data); + return; + } + + this.items[item.uiId] = item; + + this.emit(EKnapsackEvent.ItemAdd, item); + this.emit(EKnapsackEvent.Update); +}; +/** + * @param {CKnapsackItem} item + * @param {Object} data + * @private + */ +MarketKnapsack.prototype._update = function (item, data) { + if (!item) { + return; // Invalid action + } + if (item.status === data.status) { + // todo + } + + // todo + + this.emit(EKnapsackEvent.ItemUpdate, item); + this.emit(EKnapsackEvent.Update); +}; +/** + * @param {CKnapsackItem} item + * @private + */ +MarketKnapsack.prototype._remove = function (item) { + if (!item) { + return; // Invalid action + } + + // todo + + this.emit(EKnapsackEvent.ItemAccepted, item); + this.emit(EKnapsackEvent.Update); +}; + +MarketKnapsack.prototype.check = function () { + // todo +}; + +// +// +// Deprecated +// +// + +MarketKnapsack.prototype.add = function (item) { + self.processItem(item); +}; + +MarketKnapsack.prototype.update = function (item) { + self.processItem(item); +}; + +MarketKnapsack.prototype.processItem = function (item) { + let updated = false; + + if (!self.items[item.ui_id]) { + self.items[item.ui_id] = item; + + updated = self._changeCounters(item, 1); + } else { + let cItem = self.items[item.ui_id]; + + if (cItem.ui_status !== item.ui_status) { + self._changeCounters(cItem, -1); + + cItem.ui_status = item.ui_status; + + updated = self._changeCounters(cItem, 1); + } + } + + if (updated) { + self.emit("updated"); + } +}; + +MarketKnapsack.prototype.remove = function (item) { + let updated = false; + + if (self.items[item.ui_id]) { + updated = self._changeCounters(self.items[item.ui_id], -1); + + delete self.items[item.ui_id]; + } + + if (updated) { + self.emit("updated"); + } +}; + +// get real tm list and compare it with ours. In ideal world there should not be any changes +MarketKnapsack.prototype.__check = function () { + return new Promise((res, rej) => { + _market.getTrades().then((trades) => { + let cPending = 0, cToTake = 0; + let cItems = {}; + + trades.forEach((item) => { + if (item.ui_status === EMarketItemStatus.Pending) { + cPending++; + } else if (item.ui_status === EMarketItemStatus.NeedToTake) { + cToTake++; + } + + cItems[item.ui_id] = item; + }); + + let updated = self.pendingItemsCount !== cPending || self.takeItemsCount !== cToTake; + + self.pendingItemsCount = cPending; + self.takeItemsCount = cToTake; + self.items = cItems; + + self._lastCheck = Date.now(); + + if (updated) { + self.emit("updated"); + } + + res(); + }).catch((err) => { + this._log.error(err); + }); + }); +}; + +/** Below is legacy */ + +/** + * @param {TradeOffer} trade + */ +// MarketKnapsack.prototype.captureTradeEnd = function(trade) { +// for(let uiBid in self.takeRequests) { +// if(self.takeRequests[uiBid].tradeId === String(trade.id)) { +// // we delay this delete, because TM is slooooow +// setTimeout(() => { +// delete self.takeRequests[uiBid]; +// }, 5 * 1000); +// } +// } +// }; +// +// MarketKnapsack.prototype._clearTakeRequestsLog = function() { +// for(let uiBid in self.takeRequests) { +// if(Date.now() - self.takeRequests[uiBid].time > STEAM_TRADE_TTL) { +// delete self.takeRequests[uiBid]; +// } +// } +// }; +// +// MarketKnapsack.prototype._storeNewTrade = function(tradeData, item) { +// if(!this.trades[tradeData.bid]) { +// this.trades[tradeData.bid] = new CKnapsackTrade(tradeData); +// } +// +// this.trades[tradeData.bid].addItem(item); +// }; + +/** + * Returns bot data with max count of items to take and that don't already have take request + * @return {Promise<*>} + * @private + */ +// MarketKnapsack.prototype._selectBotToTake = function() { +// return this._market.getTrades().then((trades) => { +// let botsItems = {}; +// +// trades.forEach((trade) => { +// if(trade.ui_status === EMarketItemStatus.NeedToTake && !this.trades[trade.ui_bid]) { +// if(!botsItems[trade.ui_bid]) { +// botsItems[trade.ui_bid] = { +// bid: trade.ui_bid, +// list: [], +// }; +// } +// +// botsItems[trade.ui_bid].list.push(trade); +// } +// }); +// // debug +// //console.log("botsItems", Object.keys(botsItems).length); +// +// let checkOrder = shuffle(Object.keys(botsItems)); +// if(checkOrder.length === 0) { +// return false; +// } +// +// // Selecting bot with max items count +// let bestVariant = botsItems[checkOrder[0]]; +// checkOrder.forEach((uiBid) => { +// if(botsItems[uiBid].list.length > bestVariant.list.length) { +// bestVariant = botsItems[uiBid]; +// } +// }); +// +// return bestVariant; +// }); +// }; + +// MarketKnapsack.prototype._takeNextItems = function() { +// let sleepTime = 5 * 1000; +// +// if(self.knapsack.takeItemsCount === 0) { +// //logger.log("No items to take, judging by knapsack"); +// +// setTimeout(self._takeNextItems, sleepTime); +// return; +// } +// +// self._clearTakeRequestsLog(); +// // prohibits multiple simultaneous withdrawals +// /*if(Object.keys(self.takeRequests).length) { +// //logger.log("We are already taking some items. Please, wait"); +// +// setTimeout(self._takeNextItems, sleepTime); +// return; +// }*/ +// +// // self._selectBotToTake().then((botData) => { +// // if(botData === false) { +// // //logger.log("No items to request. Sleep for a while.."); +// // sleepTime = 10 * 1000; +// // +// // setTimeout(self._takeNextItems, sleepTime); +// // return; +// // } +// // +// // logger.log("Requesting " + botData.list.length + " item(s) from uiBot#" + botData.bid); +// // self._takeItemsFromBot(botData.bid).then((tradeData) => { +// // logger.log("Item(s) requested with trade#" + tradeData.trade_id + " and secret: '" + tradeData.secret + "'"); +// // +// // let itemsData = botData.list.map((item) => { +// // let ids = CSGOtm.getItemIds(item); +// // +// // return { +// // market_id: item.ui_id, +// // trade_id: tradeData.trade_id, +// // price: item.ui_price, +// // class_id: ids.classId, +// // instance_id: ids.instanceId, +// // }; +// // }); +// // +// // self.emit("itemsUpdate", itemsData); +// // +// // // by the way TM don't like to send items from multiple bots simultaneously, but we don't care +// // setTimeout(self._takeNextItems, sleepTime); +// // }).catch((err) => { +// // if(err.message === EMarketMessage.RequestErrorNoList) { +// // logger.warn("Request creation failed (no list). Try again later"); +// // } else { +// // logger.error(err); +// // } +// // +// // setTimeout(self._takeNextItems, sleepTime); +// // }); +// // }).catch((err) => { +// // logger.error(err); +// // +// // self._takeNextItems(); +// // }); +// }; diff --git a/src/lib/ws/enums/incoming_messages.ts b/src/lib/ws/enums/incoming_messages.ts new file mode 100644 index 0000000..c0c1be0 Binary files /dev/null and b/src/lib/ws/enums/incoming_messages.ts differ diff --git a/src/lib/ws/enums/outgoing_messages.ts b/src/lib/ws/enums/outgoing_messages.ts new file mode 100644 index 0000000..2d59734 --- /dev/null +++ b/src/lib/ws/enums/outgoing_messages.ts @@ -0,0 +1,4 @@ +module.exports = Object.freeze({ + ping: "ping", + auth: "auth", +}); diff --git a/src/lib/ws/enums/validation_schemas/incoming_message_validation_schema.ts b/src/lib/ws/enums/validation_schemas/incoming_message_validation_schema.ts new file mode 100644 index 0000000..f6bd0f5 --- /dev/null +++ b/src/lib/ws/enums/validation_schemas/incoming_message_validation_schema.ts @@ -0,0 +1,2 @@ +const JOI = require("joi"); +module.exports = Object.freeze(JOI.any()); diff --git a/src/lib/ws/helpers/build_URL.ts b/src/lib/ws/helpers/build_URL.ts new file mode 100644 index 0000000..cc40a46 --- /dev/null +++ b/src/lib/ws/helpers/build_URL.ts @@ -0,0 +1 @@ +module.exports = () => {}; diff --git a/src/lib/ws/helpers/parse_message.ts b/src/lib/ws/helpers/parse_message.ts new file mode 100644 index 0000000..0af4123 --- /dev/null +++ b/src/lib/ws/helpers/parse_message.ts @@ -0,0 +1,7 @@ +module.exports = function (message: string) { + try { + return JSON.parse(message); + } catch (error){ + this.processParsingError(error) + } +}; diff --git a/src/lib/ws/helpers/validate_incoming_message.ts b/src/lib/ws/helpers/validate_incoming_message.ts new file mode 100644 index 0000000..41d4b2c --- /dev/null +++ b/src/lib/ws/helpers/validate_incoming_message.ts @@ -0,0 +1,2 @@ + +module.exports = (message, SCHEMA) => VALIDATE_WITH_JOI(message, SCHEMA); diff --git a/src/lib/ws/index.ts b/src/lib/ws/index.ts new file mode 100644 index 0000000..2d15430 --- /dev/null +++ b/src/lib/ws/index.ts @@ -0,0 +1,159 @@ +const WS = require("ws"); +const ReconnectingWebSocket = require("reconnecting-websocket"); +// @ts-ignore +const EventEmitter = require("events"); + +// @ts-ignore +const CONFIG = require("config").get('ws'); +const WS_PARAMS = CONFIG.get("wsParams"); +const {WS_ERROR_EMITTER} = require("@emitters"); +const ENUM_MESSAGES = require("market-csgo-manager-master/ws"); + +const WS = require("ws"); +const CONFIG = require("config"); +const WS_PARAMS = CONFIG.get("wsParams"); +const {WS_ERROR_EMITTER} = require("@emitters"); +const ENUM_MESSAGES = require("market-csgo-manager-master/ws/enums/outgoing_messages"); +const processMessage = require("./methods/process_message"); +const subscribeToChannels = require("./methods/subscribe_to_channels"); + +const initAuth = require("src/lib/ws/init/auth"); +const initPing = require("src/lib/ws/init/ping"); +const initCheckIfStuck = require('./init/check_if_stuck'); + +module.exports = class MarketWS extends EventEmitter { + version: string; + channels: [string]; + marketAPIProvider: object; + WSClient: typeof ReconnectingWebSocket; + stuckCheckTime: number; + isStuck: boolean; + stuckDetectionInterval: object; + + constructor(initProps: { + version: string; + channels: [string]; + marketAPIProvider: Function; + URL: string; + }) { + super(); + + this.version = initProps.version; + this.channels = initProps.channels; + this.marketAPIProvider = initProps.marketAPIProvider; + this.stuckCheckTime = Date.now(); + this.isStuck = false; + + this.setWSClient(); + this.initAuth = initAuth.bind(this); + this.initPing = initPing.bind(this); + this.subscribeToChannels = subscribeToChannels.bind(this); + this.initCheckIfStuck = initCheckIfStuck.bind(this); + this.processMessage = processMessage.bind(this); + } + + + setWSClient(){ + this.WSClient = new ReconnectingWebSocket(CONFIG.URL, { + WebSocket: WS, + connectionTimeout: CONFIG.connection_timeout, + reconnectionDelayGrowFactor: CONFIG.reconnection_delay_grow_factor, + maxRetries: CONFIG.max_retries, + }); + + return this.setEventsCallbacks(); + } + + setEventsCallbacks() { + /** + * ======================================================================== + * WS events processing + * ======================================================================== + */ + /** + * Catch errors + */ + this.WSClient.on("error", (error) => { + this.emit('error', error) + }); + + /** + * Auth to get new key and send it to WS server + */ + this.WSClient.on("open", () => this.auth() + .then(() => { + + /** + * ======================================================================== + * Init intervals & tasks + * ======================================================================== + */ + + initAuth(); + initPing(); + initCheckIfStuck(); + subscribeToChannels.call(this, this.WSClient, this.channels); + + this.emit('open') + })); + + this.WSClient.on("message", (message: JSON) => { + this.initCheckIfStuck(); + this.processMessage(message); + }); + + this.WSClient.on("close", () => { + this.reconnect(); + }); + } + + /** + * ======================================================================== + * WS methods without arguments + * ======================================================================== + */ + + + /** + * Ping WS server to keep connection alive + */ + async ping() { + + this.WSClient.send(ENUM_MESSAGES.ping); + }; + + + /** + * Auth to get new key and send it to WS server + */ + async auth() { + this + .marketAPIProvider[this.version] + .getWSAuth() + .then(this.WSClient.send); + }; + + reconnect() { + return this.setWSClient(); + + } + + get isConnected() { + return this.WSClient.readyState == 1; + } + + processStuckStatus(isStuck: boolean = false) { + this.isStuck = isStuck; + + if (isStuck) { + this.emit('stuck'); + this.reconnect(); + } + } + + processParsingError(error){ + this.emit('parsingError', error) + } + + +}; diff --git a/src/lib/ws/init/auth.ts b/src/lib/ws/init/auth.ts new file mode 100644 index 0000000..ab3c4d0 --- /dev/null +++ b/src/lib/ws/init/auth.ts @@ -0,0 +1,3 @@ +module.exports = connection => { + setInterval(connection.auth, 60000) +} diff --git a/src/lib/ws/init/check_if_stuck.ts b/src/lib/ws/init/check_if_stuck.ts new file mode 100644 index 0000000..e47418a --- /dev/null +++ b/src/lib/ws/init/check_if_stuck.ts @@ -0,0 +1,22 @@ +// @ts-ignore +const CONFIG = require('config').get('ws'); + +module.exports = function () { + clearInterval(this.stuckDetectionInterval); + + // @ts-ignore + const stuckDetectTime = CONFIG.stuck_detect_time; + + + this.stuckDetectionInterval = setInterval(() => { + if (this.stuckCheckTime + stuckDetectTime - Date.now() < 0) { + this.processStuckStatus(true); + + } else { + this.stuckCheckTime = Date.now(); + } + + }, stuckDetectTime) + + +}; diff --git a/src/lib/ws/init/ping.ts b/src/lib/ws/init/ping.ts new file mode 100644 index 0000000..0f3f377 --- /dev/null +++ b/src/lib/ws/init/ping.ts @@ -0,0 +1,3 @@ +module.exports = connection => { + setInterval(connection.ping, 60000) +} diff --git a/src/lib/ws/methods/process_message.ts b/src/lib/ws/methods/process_message.ts new file mode 100644 index 0000000..7c8c79c --- /dev/null +++ b/src/lib/ws/methods/process_message.ts @@ -0,0 +1,7 @@ +module.exports = function (message: string) { + const SERVICE_MESSAGES = { + 'auth': this.marketAPIProvider + } +}; + + diff --git a/src/lib/ws/methods/subscribe_to_channels.ts b/src/lib/ws/methods/subscribe_to_channels.ts new file mode 100644 index 0000000..fe6fa55 --- /dev/null +++ b/src/lib/ws/methods/subscribe_to_channels.ts @@ -0,0 +1,5 @@ +module.exports = function subscribeToChannels(channels: string[]) { + const {length} = channels; + this.WSClient.send(channels[0]); + return length ? subscribeToChannels(channels.slice(1)) : true; +}; diff --git a/src/lib/ws/v/v1/enums/index.ts b/src/lib/ws/v/v1/enums/index.ts new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/src/lib/ws/v/v1/enums/index.ts @@ -0,0 +1 @@ +module.exports = {}; diff --git a/src/lib/ws/v/v1/helpers/index.ts b/src/lib/ws/v/v1/helpers/index.ts new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/src/lib/ws/v/v1/helpers/index.ts @@ -0,0 +1 @@ +module.exports = {}; diff --git a/src/lib/ws/v/v2/enums/index.ts b/src/lib/ws/v/v2/enums/index.ts new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/src/lib/ws/v/v2/enums/index.ts @@ -0,0 +1 @@ +module.exports = {}; diff --git a/src/lib/ws/v/v2/helpers/index.ts b/src/lib/ws/v/v2/helpers/index.ts new file mode 100644 index 0000000..f053ebf --- /dev/null +++ b/src/lib/ws/v/v2/helpers/index.ts @@ -0,0 +1 @@ +module.exports = {}; diff --git a/src/lib/ws/v/v2/helpers/process_message.ts b/src/lib/ws/v/v2/helpers/process_message.ts new file mode 100644 index 0000000..5304c34 --- /dev/null +++ b/src/lib/ws/v/v2/helpers/process_message.ts @@ -0,0 +1,14 @@ +module.exports = () => {}; +const RESPONSE_ENUMS = require("market-csgo-manager-master/ws/enums/incoming_messages"); + +module.exports = function (message: string) { + const SERVICE_MESSAGES_CALLBACKS = { + 'auth': this.marketAPIProvider.v2.getWsAuth + } + + if (SERVICE_MESSAGES_CALLBACKS[message]) return SERVICE_MESSAGES_CALLBACKS[message](); + + try { + const parsedMessage + } +}; diff --git a/src/versions/v1/index.ts b/src/versions/v1/index.ts new file mode 100644 index 0000000..f01e26a --- /dev/null +++ b/src/versions/v1/index.ts @@ -0,0 +1,3 @@ +module.exports = function (){ + return {} +} diff --git a/src/versions/v2/buy/helpers/get_item_ids.ts b/src/versions/v2/buy/helpers/get_item_ids.ts new file mode 100644 index 0000000..24d10aa --- /dev/null +++ b/src/versions/v2/buy/helpers/get_item_ids.ts @@ -0,0 +1,35 @@ +/** + * Formal way to get steam item ids + * + * @param {Object} item Item object that you got from API, or you have created by yourself + * @param {Boolean} [asNumbers] Should we convert ids to numbers? + * + * @returns {{classId: string, instanceId: string}} + */ +module.exports = function (item: { + i_classid?: number, + classid?: number, + classId?: number, + class?: number, + i_instanceid?: number, + instanceId?: number, + instance?: number, + instanceid?: number, + ui_real_instance?: number + +}, asNumbers: boolean = false) { + + const CLASS_ID = item.i_classid || item.classid || item.classId || item.class; + let instanceId = item.i_instanceid || item.instanceid || item.instanceId || item.instance || 0; + + if (instanceId === 0 && item.ui_real_instance) { + instanceId = item.ui_real_instance; + } + + + return { + classId: (asNumbers ? Number : String)(CLASS_ID), + instanceId: (asNumbers ? Number : String)(instanceId), + } + +} diff --git a/src/versions/v2/buy/helpers/get_item_offers.ts b/src/versions/v2/buy/helpers/get_item_offers.ts new file mode 100644 index 0000000..035fc6f --- /dev/null +++ b/src/versions/v2/buy/helpers/get_item_offers.ts @@ -0,0 +1,29 @@ +const getItemIds = require('./helpers/get_item_ids'); + +module.exports = async function (mhn, maxPrice) { + + let allowedPrice = maxPrice ? this._config.preparePrice(maxPrice) : Number.MAX_VALUE; + + function extractOffers(items) { + return items.map((item) => { + let ids = this.marketAPIProvider[this.version].getItemIds(item); + + return { + hashName: this.marketAPIProvider[this.version].getItemHash(item), + instanceId: ids.instanceId, + classId: ids.classId, + price: Number(item.price), + offers: Number(item.offers || item.count), + }; + }); + } + + function prepareOffers(items) { + return items + .filter((item) => item.price <= allowedPrice && item.offers > 0) // remove all expensive and empty offers + .filter((item) => item.hashName === mhn) // remove all offers with the wrong items (yes, that happens) + .sort((a, b) => a.price - b.price); // sort offers from cheapest to most expensive + } + + +}; diff --git a/src/versions/v2/buy/helpers/prepare_price.ts b/src/versions/v2/buy/helpers/prepare_price.ts new file mode 100644 index 0000000..21f6e1e --- /dev/null +++ b/src/versions/v2/buy/helpers/prepare_price.ts @@ -0,0 +1,10 @@ +module.exports = function(price) { + let allowedPrice = price * (1 + this.price.fluctuation); + let compromise = Math.max(price * this.price.compromiseFactor, this.price.minCompromise); + + let priceCap = allowedPrice + compromise; + + //console.log("allowedPrice", allowedPrice, "compromise", compromise, "max", priceCap); + + return priceCap; +}; diff --git a/src/versions/v2/buy/index.ts b/src/versions/v2/buy/index.ts new file mode 100644 index 0000000..217069e --- /dev/null +++ b/src/versions/v2/buy/index.ts @@ -0,0 +1,35 @@ +const getItemOffers = require('./helpers/get_item_offers'); +/** + * + * @param {string} hashName + * @param {number} goodPrice + * @param {number} partnerId + * @param {string} tradeToken + * @returns {Promise} + */ +module.exports = function (hashName: string, goodPrice: number, partnerId: number | object, tradeToken: string) { + let tradeData = (typeof partnerId === "object" && !tradeToken) ? + partnerId : + { + partnerId: partnerId, + tradeToken: tradeToken, + }; + + return getItemOffers.call(this, hashName, goodPrice) + .then((offers) => { + if (this._config.avoidBadBots) { + return this._buyAndAvoid(offers, tradeData); + } + + return this.layer.buyCheapest(offers, tradeData); + }) + .then((item) => { + this._changeBalance(-item.price); + + return item; + }) + .catch((err) => { + // todo: Если получили в ответ http ошибку, то проверять по истории операций, что предмет не был куплен + + }) +} diff --git a/src/versions/v2/buy_and_avoid/index.ts b/src/versions/v2/buy_and_avoid/index.ts new file mode 100644 index 0000000..7697624 --- /dev/null +++ b/src/versions/v2/buy_and_avoid/index.ts @@ -0,0 +1,18 @@ +module.exports = async function(offers, tradeData) { + let goodOffers = this.badOffersCache.offers.filter((el) => !el.isBad); + let otherOffers = this.badOffersCache.offers.filter((el) => el.isBad); + + try { + let bought = await this.layer.buyCheapest(goodOffers, tradeData); + + this._badOffers.storeBoughtOffer(bought); + + return bought; + } catch(e) { + if(otherOffers.length && e instanceof MiddlewareError && e.source !== EErrorSource.User) { + return await this.layer.buyCheapest(otherOffers, tradeData); + } + + throw e; + } +}; diff --git a/src/versions/v2/change_balance/index.ts b/src/versions/v2/change_balance/index.ts new file mode 100644 index 0000000..6da2652 --- /dev/null +++ b/src/versions/v2/change_balance/index.ts @@ -0,0 +1,8 @@ +module.exports = function(delta: number, explicit: boolean = false) { + + if(explicit || !this.marketWS.isConnected) { + this.wallet += delta; + + this.emit('balanceUpdate', this.wallet, delta); + } +}; diff --git a/src/versions/v2/index.ts b/src/versions/v2/index.ts new file mode 100644 index 0000000..4d3e386 --- /dev/null +++ b/src/versions/v2/index.ts @@ -0,0 +1,12 @@ +/** + * Allows to call Manager.v2.someMethod() + * @returns {Object} with async functions as values methodName: function + */ +module.exports = function () { + return { + buy: require('./buy').bind(this), + buyAndAvoid: require('./buy_and_avoid').bind(this), + setWSCallbacks: require('./set_WS_callbacks').bind(this), + startBalanceUpdate: require('./start_balance_updater').bind(this) + } +} diff --git a/src/versions/v2/set_WS_callbacks/index.ts b/src/versions/v2/set_WS_callbacks/index.ts new file mode 100644 index 0000000..ca6d6ed --- /dev/null +++ b/src/versions/v2/set_WS_callbacks/index.ts @@ -0,0 +1,37 @@ +module.exports = function (){ + + + this.marketWS.on('open', () => { + + }); + + + this.marketWS.on('auth', () => { + this.knapsak + this._checker.change(this._config.validationInterval); + }); + this.marketWS.on('deAuth', () => { + + th + this._checker.change(this._config.updateInterval); + }); + + this.marketWS.on('itemAdd', (data) => { + //console.log("itemAdd", data); + let item = new CKnapsackItem(data); + + this._add(item, data); + }); + this.marketWS.on('itemTake', (data) => { + //console.log("itemTake", data); + let item = this.items[data.ui_id]; + + this._update(item, data); + }); + this.marketWS.on('itemRemove', (data) => { + //console.log("itemRemove", data); + let item = this.items[data.ui_id]; + + this._remove(item); + }) +} diff --git a/src/versions/v2/set_new_balance/index.ts b/src/versions/v2/set_new_balance/index.ts new file mode 100644 index 0000000..3e65db9 --- /dev/null +++ b/src/versions/v2/set_new_balance/index.ts @@ -0,0 +1,14 @@ +module.exports = function(balance: number) { + if(this.wallet === balance) { + return; + } + + let delta = null; + if(this.wallet !== null) { + delta = this.wallet - balance; + } + + this.wallet = balance; + + this.emit('balanceUpdate', this.wallet, delta); +}; diff --git a/src/versions/v2/start_balance_updater/index.ts b/src/versions/v2/start_balance_updater/index.ts new file mode 100644 index 0000000..40c7389 --- /dev/null +++ b/src/versions/v2/start_balance_updater/index.ts @@ -0,0 +1,17 @@ +module.exports = function() { + this._startBalanceValidator(); + + this.ws.on(ESocketEvent.BalanceUpdate, (newBalance) => { + if(newBalance === 0) { + // Here probably a bug happened + return this.updateWallet().catch(e => this._log.error(e)); + } + + this._setNewBalance(newBalance); + }); + + // Handling new balance + this.on(EManagerEvent.BalanceUpdate, (newBalance) => { + this.layer.setAccountBalance(newBalance); + }); +}; diff --git a/test/MarketManager.js b/test/MarketManager.js new file mode 100644 index 0000000..cabbf35 --- /dev/null +++ b/test/MarketManager.js @@ -0,0 +1,129 @@ +const MarketManager = require('./../dist/MarketManager'); +let error = null; +let marketManager; + +module.exports = () => { + describe('Valid creation', () => { + + afterEach(() => { + marketManager = null; + error = null; + }); + + test('create with init options object and key shall be ok', () => { + const KEY_STRING = Math.random().toString(36).substring(7); + marketManager = new MarketManager({ + APIKey: KEY_STRING + }); + + expect(error).toEqual(null); + expect(marketManager instanceof MarketManager).toBe(true); + + }); + + + }); + + describe('Invalid creation', () => { + + test('create without args shall throw error with errorType `client`', () => { + + + try { + APIProvider = new MarketManager(); + } catch (ex) { + error = ex; + } + expect(error).not.toEqual(null); + expect(error).toHaveProperty('errorType'); + expect(error.errorType).toEqual('client'); + expect(APIProvider instanceof MarketManager).not.toBe(true); + + }); + + test('create with string shall throw error with errorType `client`', () => { + const STR = Math.random().toString(36).substring(7); + try { + APIProvider = new MarketManager(STR); + } catch (ex) { + error = ex; + } + expect(error).not.toEqual(null); + expect(error).toHaveProperty('errorType'); + expect(error.errorType).toEqual('client'); + expect(APIProvider instanceof MarketManager).not.toBe(true); + + }); + test('create with empty object shall throw error with errorType `client`', () => { + + try { + APIProvider = new MarketManager({}); + } catch (ex) { + error = ex; + } + expect(error).not.toEqual(null); + expect(error).toHaveProperty('errorType'); + expect(error.errorType).toEqual('client'); + expect(APIProvider instanceof MarketManager).not.toBe(true); + + }); + + + test('create with integer shall throw error with errorType `client`' , () => { + const INT = Math.floor(Math.random() * (10000 - -10000)); + try { + APIProvider = new MarketManager(INT); + } catch (ex) { + error = ex; + } + expect(error).not.toEqual(null); + expect(error).toHaveProperty('errorType'); + expect(error.errorType).toEqual('client'); + expect(APIProvider instanceof MarketManager).not.toBe(true); + + }); + + test('create with float shall throw error with errorType `client`' , () => { + const INT = Math.random() * (10000 - -10000); + try { + APIProvider = new MarketManager(INT); + } catch (ex) { + error = ex; + } + expect(error).not.toEqual(null); + expect(error).toHaveProperty('errorType'); + expect(error.errorType).toEqual('client'); + expect(APIProvider instanceof MarketManager).not.toBe(true); + + }); + + test('create with null shall throw error with errorType `client`', () => { + + try { + APIProvider = new MarketManager(null); + } catch (ex) { + error = ex; + } + expect(error).not.toEqual(null); + expect(error).toHaveProperty('errorType'); + expect(error.errorType).toEqual('client'); + expect(APIProvider instanceof MarketManager).not.toBe(true); + + }); + + test('create with zero shall throw error with errorType `client`', () => { + + try { + APIProvider = new MarketManager(0); + } catch (ex) { + error = ex; + } + expect(error).not.toEqual(null); + expect(error).toHaveProperty('errorType'); + expect(error.errorType).toEqual('client'); + expect(APIProvider instanceof MarketManager).not.toBe(true); + + }); + }); + +}; diff --git a/test/index.test.js b/test/index.test.js new file mode 100644 index 0000000..d9c4863 --- /dev/null +++ b/test/index.test.js @@ -0,0 +1,55 @@ +const MarketManager = require('./../dist'); +// const V1_METHODS = require('./stuff/methods/v1/names'); +// const V2_METHODS = require('./stuff/methods/v2/names'); + + +describe('Test class and methods are reachable', function () { + const marketManager = new MarketManager({ + APIKey: process.APIKey + }); + + test('import class', () => { + expect(marketManager instanceof MarketManager).toBe(true); + }); +}) + +// test('test class method versions. Must have v1', () => { +// expect(MARKET_PROVIDER).toHaveProperty('v1'); +// }); +// +// test('test class method versions. Must have v2', () => { +// expect(MARKET_PROVIDER).toHaveProperty('v2'); +// }); +// +// V1_METHODS.map(methodName => { +// +// +// test('test class to have v1 method ' + methodName, () => { +// expect(MARKET_PROVIDER.v1).toHaveProperty(methodName); +// expect(typeof MARKET_PROVIDER.v1[methodName]).toBe('function'); +// }); +// +// }); +// +// V1_METHODS.map(methodName => { +// +// test('test class to have v2 method ' + methodName, () => { +// expect(MARKET_PROVIDER.v1).toHaveProperty(methodName); +// expect(typeof MARKET_PROVIDER.v1[methodName]).toBe('function'); +// }); +// }); +// +// }); +// +// describe('Test class options', () => { +// require('./MarketAPI')(); +// }); +// +// /** +// * Test fetching API +// */ +// describe('Test fetch API', () => { +// require('./API/fetch')(); +// +// }); +// diff --git a/test/setup.js b/test/setup.js new file mode 100644 index 0000000..5d78009 --- /dev/null +++ b/test/setup.js @@ -0,0 +1,6 @@ +(function () { + + process.env.NODE_ENV = 'test'; + process.APIKey = require('./stuff/test_API_key'); + +})(); diff --git a/test/stuff/.test_API_key.js b/test/stuff/.test_API_key.js new file mode 100644 index 0000000..3cd42db --- /dev/null +++ b/test/stuff/.test_API_key.js @@ -0,0 +1 @@ +module.exports = '...'; diff --git a/test/stuff/methods/v1/names.js b/test/stuff/methods/v1/names.js new file mode 100644 index 0000000..b6c6550 --- /dev/null +++ b/test/stuff/methods/v1/names.js @@ -0,0 +1,20 @@ +module.exports = [ + "setToken", + "operationHistory", + "getProfileItems", + "itemInfo", + "setPrice", + "itemRequest", + "massSetPrice", + "getOrders", + "insertOrder", + "updateOrder", + "processOrder", + "updateNotification", + "getMassInfo", + "getFloatHash", + "getWSAuth", + "getDBFileName", + "getDBData", + "getHistory" +]; \ No newline at end of file diff --git a/test/stuff/methods/v2/names.js b/test/stuff/methods/v2/names.js new file mode 100644 index 0000000..1b6886f --- /dev/null +++ b/test/stuff/methods/v2/names.js @@ -0,0 +1,30 @@ +module.exports = [ + "getMoney", + "goOffline", + "ping", + "updateInventory", + "items", + "history", + "trades", + "transferDiscounts", + "getMySteamId", + "myInventory", + "buy", + "buyFor", + "getBuyInfoByCustomId", + "getListBuyInfoByCustomId", + "addToSale", + "setPrice", + "removeAllFromSale", + "tradeRequestGive", + "tradeRequestGiveP2p", + "tradeRequestGiveP2pAll", + "searchItemByHashName", + "searchItemByHashNameSpecific", + "searchListItemsByHashNameAll", + "getListItemsInfo", + "getWSAuth", + "test", + "getPrices", + "getPricesWithClassInstance" +] \ No newline at end of file diff --git a/test/stuff/test_API_key.js b/test/stuff/test_API_key.js new file mode 100644 index 0000000..cea4cbd --- /dev/null +++ b/test/stuff/test_API_key.js @@ -0,0 +1 @@ +module.exports = 'aIAJm49nO4uc1Elm2Ov44L7T1toXs5T'; diff --git a/tsconfig.json b/tsconfig.json new file mode 100644 index 0000000..60c202a --- /dev/null +++ b/tsconfig.json @@ -0,0 +1,97 @@ +{ + "compilerOptions": { + /* Visit https://aka.ms/tsconfig.json to read more about this file */ + + /* Basic Options */ + // "incremental": true, /* Enable incremental compilation */ + "module": "commonjs", + "target": "ESNext", + "noImplicitAny": false, + "outDir": "./dist", + "baseUrl": ".", + // "lib": [], /* Specify library files to be included in the compilation. */ + // "allowJs": true, /* Allow javascript files to be compiled. */ + // "checkJs": true, /* Report errors in .js files. */ + // "jsx": "preserve", /* Specify JSX code generation: 'preserve', 'react-native', 'react', 'react-jsx' or 'react-jsxdev'. */ + //"declaration": true, + /* Generates corresponding '.d.ts' file. */ + // "declarationMap": true, + /* Generates a sourcemap for each corresponding '.d.ts' file. */ + // "sourceMap": true, /* Generates corresponding '.map' file. */ + // "outFile": "./", /* Concatenate and emit output to single file. */ + // "outDir": "./", /* Redirect output structure to the directory. */ + "rootDir": "./src", + /* Specify the root directory of input files. Use to control the output directory structure with --outDir. */ + // "composite": true, + /* Enable project compilation */ + // "tsBuildInfoFile": "./", /* Specify file to store incremental compilation information */ + // "removeComments": true, /* Do not emit comments to output. */ + // "noEmit": true, /* Do not emit outputs. */ + // "importHelpers": true, /* Import emit helpers from 'tslib'. */ + // "downlevelIteration": true, /* Provide full support for iterables in 'for-of', spread, and destructuring when targeting 'ES5' or 'ES3'. */ + // "isolatedModules": true, + /* Transpile each file as a separate module (similar to 'ts.transpileModule'). */ + + /* Strict Type-Checking Options */ + //"strict": true, + /* Enable all strict type-checking options. */ + // "noImplicitAny": true, /* Raise error on expressions and declarations with an implied 'any' type. */ + // "strictNullChecks": true, /* Enable strict null checks. */ + // "strictFunctionTypes": true, /* Enable strict checking of function types. */ + //"strictBindCallApply": true, + /* Enable strict 'bind', 'call', and 'apply' methods on functions. */ + // "strictPropertyInitialization": true, /* Enable strict checking of property initialization in classes. */ + //"noImplicitThis": true, + /* Raise error on 'this' expressions with an implied 'any' type. */ + // "alwaysStrict": true, + /* Parse in strict mode and emit "use strict" for each source file. */ + + /* Additional Checks */ + // "noUnusedLocals": true, /* Report errors on unused locals. */ + // "noUnusedParameters": true, /* Report errors on unused parameters. */ + // "noImplicitReturns": true, /* Report error when not all code paths in function return a value. */ + // "noFallthroughCasesInSwitch": true, /* Report errors for fallthrough cases in switch statement. */ + // "noUncheckedIndexedAccess": true, /* Include 'undefined' in index signature results */ + // "noPropertyAccessFromIndexSignature": true, /* Require undeclared properties from index signatures to use element accesses. */ + + /* Module Resolution Options */ + "moduleResolution": "node", + /* Specify module resolution strategy: 'node' (Node.js) or 'classic' (TypeScript pre-1.6). */ + // "baseUrl": "./", /* Base directory to resolve non-absolute module names. */ + // "paths": /* A series of entries which re-map imports to lookup locations relative to the 'baseUrl'. */ + // "rootDirs": [], /* List of root folders whose combined content represents the structure of the project at runtime. */ + // "typeRoots": [], /* List of folders to include type definitions from. */ + // "types": [], /* Type declaration files to be included in compilation. */ + // "allowSyntheticDefaultImports": true, /* Allow default imports from modules with no default export. This does not affect code emit, just typechecking. */ + //"esModuleInterop": false, + /* Enables emit interoperability between CommonJS and ES Modules via creation of namespace objects for all imports. Implies 'allowSyntheticDefaultImports'. */ + // "preserveSymlinks": true, /* Do not resolve the real path of symlinks. */ + // "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */ + + /* Source Map Options */ + // "sourceRoot": "", /* Specify the location where debugger should locate TypeScript files instead of source locations. */ + // "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */ + // "inlineSourceMap": true, /* Emit a single file with source maps instead of having a separate file. */ + // "inlineSources": true, /* Emit the source alongside the sourcemaps within a single file; requires '--inlineSourceMap' or '--sourceMap' to be set. */ + + /* Experimental Options */ + // "experimentalDecorators": true, /* Enables experimental support for ES7 decorators. */ + // "emitDecoratorMetadata": true, /* Enables experimental support for emitting type metadata for decorators. */ + + /* Advanced Options */ + "skipLibCheck": true, + /* Skip type checking of declaration files. */ + "forceConsistentCasingInFileNames": true + /* Disallow inconsistently-cased references to the same file. */ + }, + "files": [ + "./node_modules/@types/node/index.d.ts", + + ], + "include": [ + "src/**/*.ts" + ], + "exclude": [ + "node_modules" + ] +}