├── .gitignore
├── .npmignore
├── src
├── services
│ └── logger
│ │ └── index.js
├── config
│ └── index.js
├── utils
│ └── index.js
├── plugins
│ ├── pending.plugin.js
│ ├── log.plugin.js
│ └── cancel.plugin.js
└── index.js
├── ROAD_MAP.md
├── .travis.yml
├── test
├── utils
│ └── index.js
├── pending
│ └── index.spec.js
├── combine
│ └── combine.spec.js
├── cancel
│ └── index.spec.js
├── main
│ └── index.spec.js
└── log
│ └── index.spec.js
├── LICENSE
├── server
└── index.js
├── package.json
├── .eslintrc.json
├── README.md
└── yarn.lock
/.gitignore:
--------------------------------------------------------------------------------
1 | /node_modules
2 | /.idea
3 | /yarn-error.log
4 | /.nyc_output
5 | /coverage
6 | /dist
7 |
--------------------------------------------------------------------------------
/.npmignore:
--------------------------------------------------------------------------------
1 | .idea/
2 | node_modules/
3 | README.md
4 | ROAD_MAP.md
5 | .gitignore
6 | .travis.yml
7 | .eslintrc.json
8 | yarn-error.log/
9 | test/
10 | src/
11 | server/
12 | .nyc_output/
13 | coverage/
14 |
15 |
16 |
--------------------------------------------------------------------------------
/src/services/logger/index.js:
--------------------------------------------------------------------------------
1 | const { ALLOW_LOG } = require('./../../config')
2 |
3 | const fakeConsole = Object.keys(console).reduce((acc, key) => {
4 | acc[key] = () => {}
5 | return acc
6 | }, {})
7 |
8 | module.exports = ALLOW_LOG ? console : fakeConsole
9 |
--------------------------------------------------------------------------------
/ROAD_MAP.md:
--------------------------------------------------------------------------------
1 | # ROADMAP
2 | - Create your on invirte module
3 | - configuration for each plugin
4 | - Informative README stage 2 (english improvement)
5 | - check the library with streaming
6 | - Cdn implementation
7 |
8 |
9 |
10 | Options
11 | ----
12 | - statistics plugin
13 | - cache plugin
14 | - differ plugin
15 |
--------------------------------------------------------------------------------
/.travis.yml:
--------------------------------------------------------------------------------
1 | sudo: false
2 | language: node_js
3 | cache:
4 | directories:
5 | - node_modules
6 | notifications:
7 | on_failure: change
8 | on_success: never
9 | node_js:
10 | - 12
11 | - 10
12 |
13 | script:
14 | - yarn run eslint:src
15 | - yarn run eslint:test
16 | - yarn run test
17 | - yarn run covarge:all
18 |
--------------------------------------------------------------------------------
/test/utils/index.js:
--------------------------------------------------------------------------------
1 | /**
2 | * Basic url for promise function
3 | */
4 |
5 | const BASIC_URL = 'http://localhost:3002'
6 |
7 |
8 | const generateQueryStringFromObject = query => Object.keys(query).map(key => `${key}=${query[key]}`).join('&')
9 |
10 | const getSpyCallValue = (spy, itemsBefore = 1) => spy.getCall(spy.callCount - itemsBefore).args[0]
11 |
12 | module.exports = {
13 | BASIC_URL,
14 | getSpyCallValue,
15 | generateQueryStringFromObject,
16 | }
17 |
--------------------------------------------------------------------------------
/src/config/index.js:
--------------------------------------------------------------------------------
1 | const { env } = require('process')
2 |
3 | /**
4 | * @description
5 | * Will return boolean if the environment variable is equal to true
6 | * @param isEnvVariableTrue
7 | * @returns {boolean}
8 | */
9 | const isStringEqualToTrue = isEnvVariableTrue => isEnvVariableTrue === 'true'
10 |
11 | /**
12 | * @description
13 | * Hold the general configuration of the library
14 | */
15 | const general = Object.freeze({
16 | ALLOW_LOG: isStringEqualToTrue(env.ALLOW_LOG || 'false'),
17 | GITHUB_REPO: 'https://github.com/omriLugasi/Redel',
18 | })
19 |
20 | module.exports = {
21 | ...general,
22 | }
23 |
--------------------------------------------------------------------------------
/src/utils/index.js:
--------------------------------------------------------------------------------
1 | const uuid4 = require('uuid/v4')
2 |
3 | /**
4 | * @description
5 | * Log Unique request key
6 | * @type {string}
7 | */
8 | const logUniqueRequestKey = '__Redel_log_request_key__'
9 |
10 | /**
11 | * @description
12 | * Pending Unique request key
13 | * @type {string}
14 | */
15 | const pendingUniqueRequestKey = '__Redel_pending_request_key__'
16 |
17 | /**
18 | * @description
19 | * return the config object
20 | * check if it's canceled request, if does take the config from the message property
21 | * if dosen't take from the original please config property
22 | * @type {axios config object}
23 | */
24 | const ensureGetConfig = error => error.config || error.message
25 |
26 | module.exports = {
27 | pendingUniqueRequestKey,
28 | logUniqueRequestKey,
29 | generateUniqueRequestKey: uuid4,
30 | ensureGetConfig,
31 | }
32 |
--------------------------------------------------------------------------------
/LICENSE:
--------------------------------------------------------------------------------
1 | Copyright (c) 2019-present Omri Luggasi
2 |
3 | Permission is hereby granted, free of charge, to any person obtaining a copy
4 | of this software and associated documentation files (the "Software"), to deal
5 | in the Software without restriction, including without limitation the rights
6 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
7 | copies of the Software, and to permit persons to whom the Software is
8 | furnished to do so, subject to the following conditions:
9 |
10 | The above copyright notice and this permission notice shall be included in
11 | all copies or substantial portions of the Software.
12 |
13 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
14 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
15 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
16 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
17 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
18 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
19 | THE SOFTWARE.
20 |
--------------------------------------------------------------------------------
/server/index.js:
--------------------------------------------------------------------------------
1 | const express = require('express')
2 | const bodyParser = require('body-parser')
3 | const app = express()
4 | const port = 3002
5 |
6 | const basicResponse = (req, res) => {
7 | res.send({ userId: 1, id: 1, title: 'This is a title', completed: false })
8 | }
9 |
10 | const timoutResponse = (req, res) => {
11 | const { time = 0 } = req.params
12 | setTimeout(() => {
13 | res.send({ userId: 1, id: 1, title: 'This is a title', completed: false })
14 | }, time)
15 | }
16 |
17 | // parse application/x-www-form-urlencoded
18 | app.use(bodyParser.urlencoded({ extended: false }))
19 |
20 | // parse application/json
21 | app.use(bodyParser.json())
22 |
23 |
24 | app.get('^/time-out/:time([0-9]{1,6})', timoutResponse)
25 | .post('^/time-out/:time([0-9]{1,6})', timoutResponse)
26 | .put('^/time-out/:time([0-9]{1,6})', timoutResponse)
27 | .patch('^/time-out/:time([0-9]{1,6})', timoutResponse)
28 | .delete('^/time-out/:time([0-9]{1,6})', timoutResponse)
29 |
30 | app.get('/basic', basicResponse)
31 | .post('/basic', basicResponse)
32 | .put('/basic', basicResponse)
33 | .patch('/basic', basicResponse)
34 | .delete('/basic', basicResponse)
35 |
36 | app.post('/multipart', (req, res) => res.sendStatus(200))
37 |
38 |
39 | let server
40 |
41 | module.exports = {
42 | init: () => {
43 | server = app.listen(port)
44 | },
45 | close: () => server.close()
46 | }
47 |
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "redel",
3 | "version": "1.0.0",
4 | "main": "dist/index.js",
5 | "license": "MIT",
6 | "description": "Promise based HTTP client for the browser and node.js",
7 | "scripts": {
8 | "build": "ncp ./src ./dist --stopOnErr",
9 | "prepublish": "yarn run test && yarn run eslint:src && yarn run eslint:test && yarn run build",
10 | "test": "ALLOW_LOG=false mocha --recursive ./test",
11 | "covarge:html": "nyc --r=html mocha --recursive ./test",
12 | "covarge": "nyc mocha --recursive ./test",
13 | "covarge:all": "nyc mocha --recursive ./test && nyc report --reporter=text-lcov | coveralls",
14 | "eslint:src": "eslint src/",
15 | "eslint:test": "eslint test/"
16 | },
17 | "repository": {
18 | "type": "git",
19 | "url": "https://github.com/omriLugasi/Redel"
20 | },
21 | "keywords": [
22 | "xhr",
23 | "http",
24 | "ajax",
25 | "promise",
26 | "node",
27 | "axios",
28 | "middleware",
29 | "plugins",
30 | "plugin",
31 | "middlewares",
32 | "plugins",
33 | "interceptors",
34 | "axios instance",
35 | "cancel",
36 | "cancelToken",
37 | "pending",
38 | "log",
39 | "XHR logs"
40 | ],
41 | "author": "Omri Luggasi",
42 | "dependencies": {
43 | "axios": "0.19.0",
44 | "qs": "6.9.0",
45 | "url": "^0.11.0",
46 | "uuid": "3.3.3"
47 | },
48 | "devDependencies": {
49 | "body-parser": "^1.19.0",
50 | "chai": "^4.2.0",
51 | "coveralls": "^3.0.7",
52 | "eslint": "^6.5.1",
53 | "eslint-config-airbnb-base": "^14.0.0",
54 | "eslint-plugin-import": "^2.18.2",
55 | "express": "^4.17.1",
56 | "form-data": "^2.5.1",
57 | "husky": "^3.0.7",
58 | "mocha": "^6.2.1",
59 | "ncp": "^2.0.0",
60 | "nyc": "^14.1.1",
61 | "sinon": "^7.5.0"
62 | },
63 | "husky": {
64 | "hooks": {
65 | "pre-push": "yarn test && yarn eslint:src && yarn eslint:test"
66 | }
67 | },
68 | "nyc": {
69 | "exclude": [
70 | "server",
71 | "test",
72 | "src/services/logger",
73 | "dist"
74 | ]
75 | }
76 | }
77 |
--------------------------------------------------------------------------------
/.eslintrc.json:
--------------------------------------------------------------------------------
1 | {
2 | "env": {
3 | "commonjs": true,
4 | "es6": true,
5 | "node": true,
6 | "mocha": true
7 | },
8 | "extends": [
9 | "airbnb-base"
10 | ],
11 | "globals": {
12 | "Atomics": "readonly",
13 | "SharedArrayBuffer": "readonly"
14 | },
15 | "parserOptions": {
16 | "ecmaVersion": 2018
17 | },
18 | "rules": {
19 | // enforce return after a callback
20 | "callback-return": "off",
21 |
22 | // require all requires be top-level
23 | // https://eslint.org/docs/rules/global-require
24 | "global-require": "error",
25 |
26 | // enforces error handling in callbacks (node environment)
27 | "handle-callback-err": "off",
28 |
29 | // disallow use of the Buffer() constructor
30 | // https://eslint.org/docs/rules/no-buffer-constructor
31 | "no-buffer-constructor": "error",
32 |
33 | // disallow mixing regular variable and require declarations
34 | "no-mixed-requires": ["off", false],
35 |
36 | //disallow semi column
37 | "semi": [2, "never"],
38 |
39 | // disallow use of new operator with the require function
40 | "no-new-require": "error",
41 |
42 | // disallow string concatenation with __dirname and __filename
43 | // https://eslint.org/docs/rules/no-path-concat
44 | "no-path-concat": "error",
45 |
46 | // disallow use of process.env
47 | "no-process-env": "off",
48 |
49 | // disallow process.exit()
50 | "no-process-exit": "off",
51 |
52 | // restrict usage of specified node modules
53 | "no-restricted-modules": "off",
54 |
55 | // disallow use of synchronous methods (off by default)
56 | "no-sync": "off",
57 |
58 | "no-underscore-dangle": "off",
59 |
60 | "arrow-parens": "off",
61 |
62 | "prefer-promise-reject-errors": "off",
63 |
64 | "class-methods-use-this": "off",
65 |
66 | "no-use-before-define": ["error", { "functions": false, "classes": true }]
67 | }
68 | }
69 |
--------------------------------------------------------------------------------
/test/pending/index.spec.js:
--------------------------------------------------------------------------------
1 | const axios = require('axios')
2 | const { assert } = require('chai')
3 | const { BASIC_URL } = require('./../utils')
4 | const Redel = require('../../src/index')
5 | const server = require('./../../server')
6 |
7 |
8 | describe('Pending plugin', () => {
9 | before(() => {
10 | Redel.ejectAll()
11 | Redel.use(axios, { pending: true })
12 | server.init()
13 | })
14 |
15 | after(() => {
16 | server.close()
17 | })
18 |
19 | beforeEach(() => {
20 | Redel.clearPendingRequests()
21 | })
22 |
23 |
24 | context('basic pending logic', () => {
25 | it('should validate assignment of request to the plugin', done => {
26 | axios.get(`${BASIC_URL}/time-out/1`).then(() => {
27 | assert.isTrue(Redel.getPendingRequests().length === 0)
28 | done()
29 | })
30 | setImmediate(() => {
31 | assert.isTrue(Redel.getPendingRequests().length === 1)
32 | })
33 | })
34 | })
35 |
36 | context('is request failed should not effect the plugin logic', () => {
37 | it('should check that request failed not effect', done => {
38 | axios.get(`${BASIC_URL}/basic/not-exist`)
39 | .catch(() => {
40 | assert.isTrue(Redel.getPendingRequests().length === 0)
41 | done()
42 | })
43 |
44 | setImmediate(() => {
45 | assert.isTrue(Redel.getPendingRequests().length === 1)
46 | })
47 | })
48 | })
49 |
50 | context('is two request with the same url and params', () => {
51 | it('should validate the plugin functionality', done => {
52 | Promise.all([
53 | axios.get(`${BASIC_URL}/time-out/1`),
54 | axios.get(`${BASIC_URL}/time-out/1`),
55 | ]).then(() => {
56 | assert.isTrue(Redel.getPendingRequests().length === 0)
57 | done()
58 | })
59 |
60 | setImmediate(() => {
61 | assert.isTrue(Redel.getPendingRequests().length === 2)
62 | })
63 | })
64 | })
65 |
66 | context('Working with different requests with the same url or not the same url', () => {
67 | it('should check if the plugin work under real world pressure', done => {
68 | const promises = [
69 | axios.put(`${BASIC_URL}/time-out/1`),
70 | axios.get(`${BASIC_URL}/time-out/1`),
71 | axios.put(`${BASIC_URL}/time-out/1`),
72 | axios.get(`${BASIC_URL}/time-out/1`),
73 | axios.delete(`${BASIC_URL}/time-out/1`),
74 | axios.get(`${BASIC_URL}/time-out/1`),
75 | axios.post(`${BASIC_URL}/time-out/1`),
76 | ]
77 | Promise.all(promises).then(() => {
78 | assert.isTrue(Redel.getPendingRequests().length === 0)
79 | done()
80 | })
81 |
82 | setImmediate(() => {
83 | assert.isTrue(Redel.getPendingRequests().length === promises.length)
84 | })
85 | })
86 | })
87 | })
88 |
--------------------------------------------------------------------------------
/test/combine/combine.spec.js:
--------------------------------------------------------------------------------
1 | const axios = require('axios')
2 | const { assert } = require('chai')
3 | const { spy } = require('sinon')
4 | const Redel = require('../../src/index')
5 | const server = require('../../server/index')
6 | const { BASIC_URL } = require('../utils/index')
7 |
8 |
9 | describe('Test the main module with combination of log and cancel', () => {
10 | let consoleLogSpy
11 | // eslint-disable-next-line no-console
12 | const storeLog = console.log
13 | const basicUrl = `${BASIC_URL}/basic`
14 |
15 | before(() => {
16 | // change the console.log function to anonymous function to work on the test in easier format
17 | // eslint-disable-next-line no-console
18 | console.log = () => {}
19 | consoleLogSpy = spy(console, 'log')
20 |
21 | Redel.ejectAll()
22 | Redel.use(axios, { log: true, cancel: true, pending: true })
23 | server.init()
24 | })
25 |
26 | after(() => {
27 | server.close()
28 | // eslint-disable-next-line no-console
29 | console.log = storeLog
30 | })
31 |
32 | afterEach(() => {
33 | consoleLogSpy.resetHistory()
34 | })
35 |
36 | context('is cancel plugin work well with combination', () => {
37 | let canceledRequests = 0
38 | const catchFn = e => {
39 | if (e.isCanceled) {
40 | canceledRequests += 1
41 | }
42 | }
43 | before(async () => {
44 | await Promise.all([
45 | axios.get(basicUrl).catch(catchFn),
46 | axios.get(basicUrl).catch(catchFn),
47 | axios.get(basicUrl).catch(catchFn),
48 | ])
49 | })
50 |
51 | it('should cancel relevant requests', () => {
52 | assert.isTrue(canceledRequests === 2)
53 | })
54 | })
55 |
56 | context('is log plugin work well with combination', () => {
57 | before(async () => {
58 | await axios.get(basicUrl).catch(() => {})
59 | await axios.get(basicUrl).catch(() => {})
60 | await axios.get(basicUrl).catch(() => {})
61 | })
62 |
63 | it('should plugin find the relevant ', () => {
64 | assert.isTrue(consoleLogSpy.callCount === 6)
65 | })
66 | })
67 |
68 | context('is pending plugin work well with combination', () => {
69 | it('should save the pending requests according to the cancel plugin work', done => {
70 | Promise.all([
71 | axios.get(`${BASIC_URL}/time-out/12`).catch(() => {}),
72 | axios.get(`${BASIC_URL}/time-out/12`).catch(() => {}),
73 | axios.get(`${BASIC_URL}/time-out/12`).catch(() => {}),
74 | ]).then(() => {
75 | assert.isTrue(Redel.getPendingRequests().length === 0)
76 | done()
77 | })
78 | setImmediate(() => {
79 | // the pending request is 1 because the cancel
80 | // plugin already remove two of those promises
81 | assert.isTrue(Redel.getPendingRequests().length === 1)
82 | })
83 | })
84 |
85 | it('should check if pending plugin work well with combination between plugins', done => {
86 | const promises = [
87 | axios.post(`${BASIC_URL}/time-out/10`).catch(() => {}),
88 | axios.post(`${BASIC_URL}/time-out/11`).catch(() => {}),
89 | axios.post(`${BASIC_URL}/time-out/12`).catch(() => {}),
90 | axios.get(`${BASIC_URL}/time-out/13`).catch(() => {}),
91 | axios.get(`${BASIC_URL}/time-out/14`).catch(() => {}),
92 | axios.delete(`${BASIC_URL}/time-out/15`).catch(() => {}),
93 | ]
94 | Promise.all(promises)
95 | .then(() => {
96 | assert.isTrue(Redel.getPendingRequests().length === 0)
97 | done()
98 | })
99 | setImmediate(() => {
100 | assert.isTrue(Redel.getPendingRequests().length === promises.length)
101 | })
102 | })
103 | })
104 | })
105 |
--------------------------------------------------------------------------------
/src/plugins/pending.plugin.js:
--------------------------------------------------------------------------------
1 | const url = require('url')
2 | const { generateUniqueRequestKey, pendingUniqueRequestKey } = require('./../utils')
3 |
4 | /**
5 | * @description
6 | * Store information about requests in pending status.
7 | * expose function that help the developer know if there are any request in pending status.
8 | *
9 | * @further-information
10 | * The request url will be used as value, and the key will be store at pendingRequestsObject.
11 | * The url will be removed from pendingRequestsObject only when the request rejected or resolved,
12 | * until then the pending plugin will save the request as pending request
13 | */
14 | class Pending {
15 | constructor() {
16 | // hold the requests status to know if there are any pending requests
17 | this.pendingRequestsObject = {}
18 | this.interceptorsRef = {}
19 | }
20 |
21 | _obtainKey(config) {
22 | if (!config[pendingUniqueRequestKey]) {
23 | Object.assign(config, { [pendingUniqueRequestKey]: generateUniqueRequestKey() })
24 | }
25 | return config[pendingUniqueRequestKey]
26 | }
27 |
28 | /**
29 | * @description
30 | * on request ready to send, add the url as value and generate a key to the pendingRequestsObject
31 | * @param config
32 | * @returns {*}
33 | * @private
34 | */
35 | _onRequestSuccess(config) {
36 | const key = this._obtainKey(config)
37 | this._add(key, config.url)
38 | return config
39 | }
40 |
41 | /**
42 | * @description
43 | * on request resolved, remove the url from the pendingRequestsObject
44 | * @param response
45 | * @returns {*}
46 | * @private
47 | */
48 | _onResponseSuccess(response) {
49 | const key = this._obtainKey(response.config)
50 | this._delete(key)
51 | return response
52 | }
53 |
54 |
55 | /**
56 | * @description
57 | * on request rejected, remove the url from the pendingRequestsObject
58 | * @param error
59 | * @returns {*}
60 | * @private
61 | */
62 | _onResponseFailed(error) {
63 | const key = this._obtainKey(error.config)
64 | this._delete(key)
65 | return Promise.reject(error)
66 | }
67 |
68 | _add(key, urlPath) {
69 | this.pendingRequestsObject[key] = url.parse(urlPath).pathname
70 | }
71 |
72 | _delete(key) {
73 | delete this.pendingRequestsObject[key]
74 | }
75 |
76 | /* EXPOSE */
77 |
78 | /**
79 | * @description
80 | * This function is a must function in each plugin.
81 | * The function should sign the plugin into the
82 | * axios interceptors request and response
83 | * @param axios
84 | */
85 | applyPlugin(axios) {
86 | this.interceptorsRef.request = axios.interceptors.request.use(
87 | this._onRequestSuccess.bind(this),
88 | )
89 | this.interceptorsRef.response = axios.interceptors.response.use(
90 | this._onResponseSuccess.bind(this),
91 | this._onResponseFailed.bind(this),
92 | )
93 | }
94 |
95 | /**
96 | * @description
97 | * eject the current axios interceptor from the axios instance
98 | * @param axios
99 | */
100 | eject(axios) {
101 | axios.interceptors.request.eject(this.interceptorsRef.request)
102 | axios.interceptors.response.eject(this.interceptorsRef.response)
103 | }
104 |
105 |
106 | /**
107 | * @description
108 | * Reset the pendingRequestsObject
109 | */
110 | clear() {
111 | this.pendingRequestsObject = {}
112 | }
113 |
114 | /**
115 | * @desciprion
116 | * Return array of Strings that each string is a request url in pending status.
117 | * @returns {*[]}
118 | */
119 | getPendingRequests() {
120 | return Object.values(this.pendingRequestsObject)
121 | }
122 | }
123 |
124 |
125 | module.exports = new Pending()
126 |
--------------------------------------------------------------------------------
/test/cancel/index.spec.js:
--------------------------------------------------------------------------------
1 | const axios = require('axios')
2 | const { assert } = require('chai')
3 | const Redel = require('./../../src')
4 | const { BASIC_URL } = require('./../utils')
5 | const server = require('./../../server')
6 |
7 | const cancelGroupKey = 'customGroupKey'
8 |
9 | describe('Cancel plugin', () => {
10 | before(() => {
11 | Redel.ejectAll()
12 | Redel.use(axios, { cancel: true })
13 | server.init()
14 | })
15 |
16 | after(() => {
17 | server.close()
18 | })
19 |
20 | describe('cancel group requests', () => {
21 | const generateUrl = time => `${BASIC_URL}/time-out/${time}`
22 | const basicNum = 300
23 | let canceledRequestsTimes = 0
24 | const catchFn = e => {
25 | if (e.isCanceled) {
26 | canceledRequestsTimes += 1
27 | }
28 | }
29 |
30 | context('basic cancel group logic', () => {
31 | before(() => {
32 | const headers = Redel.getCancelGroupHeader(cancelGroupKey)
33 | canceledRequestsTimes = 0
34 | axios.get(generateUrl(basicNum + 6), { headers }).catch(catchFn)
35 | axios.get(generateUrl(basicNum + 7), { headers }).catch(catchFn)
36 | axios.get(generateUrl(basicNum + 8), { headers }).catch(catchFn)
37 | axios.get(generateUrl(basicNum + 9), { headers }).catch(catchFn)
38 | axios.get(generateUrl(basicNum + 10), { headers }).catch(catchFn)
39 | })
40 |
41 | it('should validate that requests with "cancelGroupKey" canceled', done => {
42 | Redel.cancelGroupRequests(cancelGroupKey)
43 | setImmediate(() => {
44 | assert.isTrue(canceledRequestsTimes === 5)
45 | done()
46 | })
47 | })
48 | })
49 |
50 | context('check that cancel of one group dosen\'t effect on other group', () => {
51 | before(() => {
52 | const headers = Redel.getCancelGroupHeader(cancelGroupKey)
53 | canceledRequestsTimes = 0
54 | axios.get(generateUrl(basicNum + 6), { headers }).catch(catchFn)
55 | axios.get(generateUrl(basicNum + 7), { headers }).catch(catchFn)
56 | axios.get(generateUrl(basicNum + 9), { headers }).catch(catchFn)
57 | })
58 |
59 | it('should validate that "cancelAllGroupRequests" cancel only the requests with the group key', done => {
60 | Redel.cancelGroupRequests('another-custom-group-key')
61 | setImmediate(() => {
62 | assert.isTrue(canceledRequestsTimes === 0)
63 | done()
64 | })
65 | })
66 | })
67 |
68 | context('throw an error if developer try to use get header function without inject any key', () => {
69 | it('should validate that get headers without key throw exception', () => {
70 | assert.throw(() => Redel.getCancelGroupHeader(), `"getCancelGroupHeader" should invoke
71 | with cancel group key, please verify that you didn't
72 | invoke the function with undefined or null`)
73 | })
74 | })
75 | })
76 |
77 | describe('cancel single request', () => {
78 | let canceledRequestsTimes = 0
79 | const url = `${BASIC_URL}/basic`
80 | const catchFn = e => {
81 | if (e.isCanceled) {
82 | canceledRequestsTimes += 1
83 | }
84 | }
85 |
86 | context('When using the same http method', () => {
87 | before(() => {
88 | canceledRequestsTimes = 0
89 | axios.get(url).catch(catchFn)
90 | axios.get(url).catch(catchFn)
91 | axios.get(url).catch(catchFn)
92 | axios.get(url).catch(catchFn)
93 | axios.get(url).catch(catchFn) // the last one should be fulfilled without cancellation
94 | })
95 |
96 | it('should check if the number of canceled request is valid', () => {
97 | assert.isTrue(canceledRequestsTimes === 4)
98 | })
99 | })
100 |
101 | context('When using different methods', () => {
102 | before(() => {
103 | canceledRequestsTimes = 0
104 | axios.get(url).catch(catchFn)
105 | axios.get(url).catch(catchFn)
106 | axios.delete(url).catch(catchFn)
107 | axios.patch(url).catch(catchFn)
108 | axios.post(url).catch(catchFn) // the last one should be fulfilled without cancellation
109 | })
110 |
111 | it('should validate that different methods on the same url sign under different keys', () => {
112 | assert.isTrue(canceledRequestsTimes === 1)
113 | })
114 | })
115 |
116 | context('When using the same http request with different params', () => {
117 | before(() => {
118 | canceledRequestsTimes = 0
119 | axios.get(`${url}?param=1`).catch(catchFn)
120 | axios.get(`${url}?param=2`).catch(catchFn)
121 | axios.get(`${url}?param=3`).catch(catchFn) // the last one should be fulfilled without cancellation
122 | })
123 |
124 | it('should validate that different params doesn\'t effect on the cancel logic', () => {
125 | assert.isTrue(canceledRequestsTimes === 2)
126 | })
127 | })
128 |
129 | context('When the request failed without any connection to the plugin', () => {
130 | it('should return the exception without indicator about the cancellation', done => {
131 | axios.get(`${url}/not-exist`).catch(e => {
132 | assert.isUndefined(e.isCanceled)
133 | done()
134 | })
135 | })
136 | })
137 | })
138 | })
139 |
--------------------------------------------------------------------------------
/src/plugins/log.plugin.js:
--------------------------------------------------------------------------------
1 | const url = require('url')
2 | const qs = require('qs')
3 | const { generateUniqueRequestKey, logUniqueRequestKey, ensureGetConfig } = require('./../utils')
4 | /**
5 | * @description
6 | * Log plugin is a plugin that help you monitoring your requests
7 | * by printing a very informative log about each request
8 | */
9 | class Log {
10 | constructor() {
11 | this.logRequestsMap = {}
12 | this.interceptorsRef = {}
13 | }
14 |
15 | _obtainKey(config) {
16 | if (!config[logUniqueRequestKey]) {
17 | Object.assign(config, { [logUniqueRequestKey]: generateUniqueRequestKey() })
18 | }
19 | return config[logUniqueRequestKey]
20 | }
21 |
22 | _isRequestsMapContain(key) {
23 | return typeof this.logRequestsMap[key] !== 'undefined'
24 | }
25 |
26 | _onRequestSuccess(config) {
27 | this._create(config)
28 | return config
29 | }
30 |
31 | _onResponseSuccess(response) {
32 | const key = this._obtainKey(response.config)
33 | this._update(response)
34 | this._printByKey(key, response.config.url)
35 | this._delete(key)
36 | return response
37 | }
38 |
39 | _onResponseFailed(error) {
40 | const config = ensureGetConfig(error)
41 | const key = this._obtainKey(config)
42 | // Those rows related to the cancel plugin, the issue is that
43 | // we cancel request before it sign to the log plugin
44 | // and because of that we cant find any reference to the desire object
45 | const isRequestNotSignBeforeCanceled = config.isCanceled && !this._isRequestsMapContain(key)
46 | if (isRequestNotSignBeforeCanceled) {
47 | return Promise.reject(error)
48 | }
49 | this._update({ ...error, config })
50 | this._printByKey(key, config.url)
51 | this._delete(key)
52 | return Promise.reject(error)
53 | }
54 |
55 | /**
56 | * @description
57 | * Create the log object in the request build process
58 | * @param config
59 | * @private
60 | */
61 | _create(config) {
62 | const key = this._obtainKey(config)
63 | this.logRequestsMap[key] = {
64 | url: config.url,
65 | method: config.method,
66 | startTime: Date.now(),
67 | endTime: null,
68 | totalTime: null,
69 | timeout: config.timeout,
70 | proxy: config.proxy,
71 | maxContentLength: config.maxContentLength,
72 | requestHeaders: config.headers,
73 | requestData: this._extractDataFromRequest(config),
74 | responseData: null,
75 | isCompletedWithoutError: null,
76 | }
77 | }
78 |
79 | _delete(key) {
80 | delete this.logRequestsMap[key]
81 | }
82 |
83 | /**
84 | * @description
85 | * Update the object that we create sooner (from the _create function),
86 | * with the data from the response.
87 | * @param config object
88 | * @private
89 | */
90 | _update({ config, data, status }) {
91 | const key = this._obtainKey(config)
92 | const currentTime = Date.now()
93 | const basicObject = this.logRequestsMap[key]
94 | const updateLogQuery = {
95 | endTime: currentTime,
96 | totalTime: `${currentTime - basicObject.startTime}ms`,
97 | responseData: data,
98 | isCompletedWithoutError: config.validateStatus(status),
99 | }
100 | this.logRequestsMap[key] = {
101 | ...basicObject,
102 | ...updateLogQuery,
103 | }
104 | }
105 |
106 | /**
107 | * @description
108 | * print the informative object with console group
109 | * to add better human readable format
110 | * @param key uuid4
111 | * @param key request url
112 | * @private
113 | */
114 | _printByKey(key, urlPath) {
115 | /* eslint-disable no-console */
116 | console.group(urlPath)
117 | console.log(this.logRequestsMap[key])
118 | console.groupEnd()
119 | /* eslint-disable no-console */
120 | }
121 |
122 |
123 | /**
124 | * @description
125 | * build an object that include all the request data that send to the server
126 | * @param config
127 | * @returns {{query: {}, data: {}, params: {}}}
128 | * @private
129 | */
130 | _extractDataFromRequest(config) {
131 | const urlObject = url.parse(config.url)
132 | const query = urlObject.query ? qs.parse(urlObject.query) : {}
133 | return {
134 | query,
135 | data: config.data || {},
136 | params: config.params || {},
137 | }
138 | }
139 |
140 |
141 | /* EXPOSE */
142 |
143 | /**
144 | * @description
145 | * This function is a must function in each plugin.
146 | * The function should sign the plugin into the
147 | * axios interceptors request and response
148 | * @param axios
149 | */
150 | applyPlugin(axios) {
151 | this.interceptorsRef.request = axios.interceptors.request.use(
152 | this._onRequestSuccess.bind(this),
153 | )
154 | this.interceptorsRef.response = axios.interceptors.response.use(
155 | this._onResponseSuccess.bind(this),
156 | this._onResponseFailed.bind(this),
157 | )
158 | }
159 |
160 | /**
161 | * @description
162 | * eject the current axios interceptor from the axios instance
163 | * @param axios
164 | */
165 | eject(axios) {
166 | axios.interceptors.request.eject(this.interceptorsRef.request)
167 | axios.interceptors.response.eject(this.interceptorsRef.response)
168 | }
169 | }
170 |
171 |
172 | module.exports = new Log()
173 |
--------------------------------------------------------------------------------
/test/main/index.spec.js:
--------------------------------------------------------------------------------
1 | const axios = require('axios')
2 | const { assert } = require('chai')
3 | const Redel = require('./../../src')
4 | const { BASIC_URL } = require('./../utils')
5 |
6 |
7 | describe('Test the main module', () => {
8 | beforeEach(() => {
9 | Redel.ejectAll()
10 | })
11 |
12 | context('validate main module with injected axios param', () => {
13 | const errorMessage = 'Redel must init with an axios instance!'
14 |
15 | it('should throw exception if not sending axios instance', () => {
16 | assert.throws(() => Redel.use({}, { log: true }), errorMessage)
17 | })
18 |
19 | it('should work with axios.create functionality', () => {
20 | const axiosInstance = axios.create()
21 | assert.doesNotThrow(() => Redel.use(axiosInstance, { log: true }), errorMessage)
22 | })
23 | })
24 |
25 | context('validate main module with different types of params', () => {
26 | const errorMessage = 'Redel: try to initialize the "use" function with wrong config type'
27 |
28 | it('should throw exception if user try to initialize the main module with Array', () => {
29 | assert.throws(() => Redel.use(axios, []), errorMessage)
30 | })
31 |
32 | it('should throw exception if user try to initialize the main module with Function', () => {
33 | assert.throws(() => Redel.use(axios, () => {}), errorMessage)
34 | })
35 |
36 | it('should throw exception if user try to initialize the main module with Null', () => {
37 | assert.throws(() => Redel.use(axios, null), errorMessage)
38 | })
39 |
40 | it('should throw exception if user try to initialize the main module with Undefined', () => {
41 | assert.throws(() => Redel.use(axios, undefined), errorMessage)
42 | })
43 |
44 | it('should throw exception if user try to initialize the main module with primitives', () => {
45 | assert.throws(() => Redel.use(axios, 'string'), errorMessage)
46 | assert.throws(() => Redel.use(axios, 0), errorMessage)
47 | assert.throws(() => Redel.use(axios, true), errorMessage)
48 | })
49 | })
50 |
51 | context('validate that main module singed only allowed plugins', () => {
52 | it('should validate that only allowed keys are consume from the config', () => {
53 | const key = 'pending'
54 | Redel.use(axios, { [key]: true, customKey: true })
55 | const singedPlugins = Redel.getSignedPlugins()
56 | assert.isTrue(singedPlugins[0] === key)
57 | assert.isTrue(singedPlugins.length === 1)
58 | })
59 | })
60 |
61 | context('validate that eject work well', () => {
62 | context('eject all', () => {
63 | it('should return 0 length of signed plugins', () => {
64 | Redel.use(axios, { log: true, cancel: true })
65 | Redel.ejectAll()
66 | assert.isTrue(Redel.getSignedPlugins().length === 0)
67 | })
68 | })
69 |
70 | context('eject by key', () => {
71 | it('should eject the relevant plugin by key', () => {
72 | Redel.use(axios, { pending: true, cancel: true })
73 | Redel.eject('pending')
74 | assert.isTrue(Redel.getSignedPlugins().length === 1)
75 |
76 | axios.get(`${BASIC_URL}/basic`).catch(() => {})
77 | axios.get(`${BASIC_URL}/basic`).catch(() => {})
78 |
79 | setImmediate(() => {
80 | assert.throws(() => Redel.getPendingRequests())
81 | })
82 | })
83 |
84 | it('should not eject plugin that not exist', () => {
85 | Redel.use(axios, { pending: true, cancel: true })
86 | Redel.eject('not-exist-plugin-name')
87 | assert.isTrue(Redel.getSignedPlugins().length === 2)
88 | })
89 |
90 | it('should not eject plugin that exist but not sign', () => {
91 | Redel.use(axios, { pending: true, log: true })
92 | Redel.eject('cancel')
93 | assert.isTrue(Redel.getSignedPlugins().length === 2)
94 | })
95 | })
96 | })
97 |
98 | context('validate that add plugin work well', () => {
99 | it('should assign new plugin', () => {
100 | Redel.use(axios, {})
101 | Redel.add('log')
102 | assert.isTrue(Redel.getSignedPlugins().length === 1)
103 | })
104 |
105 | it('should not work with custom plugin name', () => {
106 | Redel.use(axios, {})
107 | Redel.add('customPluginName')
108 | assert.isTrue(Redel.getSignedPlugins().length === 0)
109 | })
110 |
111 | it('should not sign plugin that already singed', () => {
112 | const pluginName = 'log'
113 | Redel.use(axios, { [pluginName]: true })
114 | Redel.add(pluginName)
115 | assert.isTrue(Redel.getSignedPlugins().length === 1)
116 | })
117 |
118 | it('should work with already singed plugins', () => {
119 | const pluginName = 'log'
120 | Redel.use(axios, { cancel: true })
121 | Redel.add(pluginName)
122 | assert.isTrue(Redel.getSignedPlugins().length === 2)
123 | })
124 | })
125 |
126 | context('validate api functionality when user didn\'t init the relevant plugin', () => {
127 | it('should provide informative error about trying to use functionality of pending plugin that didn\'t init', () => {
128 | Redel.use(axios, {})
129 | assert.throws(() => Redel.getPendingRequests(), 'pending plugin not initialized while you trying to call "getPendingRequests",\n'
130 | + ' try to pass the "pending" property into the Redel config to init the plugin,\n'
131 | + ' for more information please visit our docs at https://github.com/omriLugasi/Redel')
132 | })
133 | })
134 |
135 | context('When Redel init twice', () => {
136 | it('should eject all plugin before init the new Redel instance (make an absolute reset)', () => {
137 | Redel.use(axios, { log: true })
138 | assert.isTrue(Redel.getSignedPlugins().length === 1)
139 | Redel.use(axios.create(), {})
140 | assert.isTrue(Redel.getSignedPlugins().length === 0)
141 | })
142 | })
143 | })
144 |
--------------------------------------------------------------------------------
/src/plugins/cancel.plugin.js:
--------------------------------------------------------------------------------
1 | const { isCancel: isAxiosCancel, CancelToken } = require('axios')
2 | const url = require('url')
3 | const { ensureGetConfig } = require('./../utils')
4 | const logger = require('./../services/logger')
5 |
6 | // Cancel Custom Group Key
7 | const uniqueGroupKey = 'ccgk'
8 |
9 | /**
10 | * @description
11 | * Cancel plugin is a plugin that wrap your requests
12 | * before firing them to the server with cancellation functionality
13 | *
14 | * @further-information
15 | * The cancel plugin work with 2 different functionalities:
16 | * 1. single cancel
17 | * 2. cancel by group key
18 | *
19 | * @Single
20 | * Cancel request that still didn't return
21 | * when a new request with the same method and pathname
22 | * gonna be fired to the server
23 | *
24 | * @cancel-by-group-key
25 | * Cancel all requests with the unique group key
26 | */
27 | class Cancel {
28 | constructor() {
29 | this.cancelRequestMap = {}
30 | this.cancelRequestGroupMap = {}
31 | this.interceptorsRef = {}
32 | }
33 |
34 |
35 | /**
36 | * @description
37 | * Extract the url pathname method and cancelGroupKey if exist
38 | * @param config
39 | * @returns [requestKey, groupKey]
40 | * @private
41 | */
42 | _generateKeys(config) {
43 | const urlObject = url.parse(config.url)
44 | const urlPathName = urlObject.pathname
45 | const requestKey = `${urlPathName} -> ${config.method}`
46 | const groupKey = config.headers[uniqueGroupKey]
47 | return [requestKey, groupKey]
48 | }
49 |
50 | /**
51 | * @description
52 | * Return array of cancel objects that sign to the specific group key
53 | * @param groupKey - string
54 | * @returns [cancelObject]
55 | * @private
56 | */
57 | _getGroupByKey(groupKey) {
58 | return Array.isArray(this.cancelRequestGroupMap[groupKey])
59 | ? [...this.cancelRequestGroupMap[groupKey]]
60 | : []
61 | }
62 |
63 | _signToGroup(key, groupKey) {
64 | if (!groupKey) {
65 | return
66 | }
67 | if (Array.isArray(this.cancelRequestGroupMap[groupKey])) {
68 | this.cancelRequestGroupMap[groupKey].push(key)
69 | return
70 | }
71 | this.cancelRequestGroupMap[groupKey] = [key]
72 | }
73 |
74 | /**
75 | * @description
76 | * Sign the request to the cancelMainObject and,
77 | * cancelMainGroupObject if a groupKey exists.
78 | * Return an axios cancel token instance
79 | * @param axios config
80 | * @returns axios cancel token instance
81 | * @private
82 | */
83 | _sign(config) {
84 | const [key, groupKey] = this._generateKeys(config)
85 | const source = CancelToken.source()
86 | this.cancelRequestMap[key] = {
87 | cancel: source.cancel,
88 | config: { ...config },
89 | }
90 | this._signToGroup(key, groupKey)
91 | return source.token
92 | }
93 |
94 | /**
95 | * @description
96 | * Will delete the request only after the cancellation process execute
97 | * Or Request resolved/rejected
98 | * @param config
99 | * @private
100 | */
101 | _delete(config) {
102 | const [key, groupKey] = this._generateKeys(config)
103 | if (this.cancelRequestMap[key]) {
104 | delete this.cancelRequestMap[key]
105 | }
106 | this._deleteFromGroup(key, groupKey)
107 | }
108 |
109 | _deleteFromGroup(key, groupKey) {
110 | let cancelGroup = [...this._getGroupByKey(groupKey)]
111 | if (groupKey && cancelGroup) {
112 | cancelGroup = cancelGroup.filter(requestKey => requestKey !== key)
113 | if (!cancelGroup.length) {
114 | delete this.cancelRequestGroupMap[groupKey]
115 | } else {
116 | this.cancelRequestGroupMap[groupKey] = cancelGroup
117 | }
118 | }
119 | }
120 |
121 |
122 | _onRequestSuccess(config) {
123 | const [key] = this._generateKeys(config)
124 | const cancelItem = this.cancelRequestMap[key]
125 | if (cancelItem) {
126 | cancelItem.cancel({ ...cancelItem.config, isCanceled: true })
127 | }
128 | const cancelToken = this._sign(config)
129 | return { ...config, cancelToken }
130 | }
131 |
132 | _onResponseFailed(error) {
133 | const config = ensureGetConfig(error)
134 | const customError = { ...error, config }
135 | const isCanceledByAxios = isAxiosCancel(error)
136 | this._delete(config)
137 | if (isCanceledByAxios) {
138 | logger.group('cancel request execute')
139 | logger.log(config)
140 | logger.groupEnd('cancel request execute')
141 | customError.isCanceled = true
142 | }
143 | return Promise.reject(customError)
144 | }
145 |
146 | _onResponseSuccess(response) {
147 | this._delete(response.config)
148 | return response
149 | }
150 |
151 |
152 | /* EXPOSE */
153 |
154 | /**
155 | * @description
156 | * This function is a must function in each plugin.
157 | * The function should sign the plugin into the
158 | * axios interceptors request and response
159 | * @param axios
160 | */
161 | applyPlugin(axios) {
162 | this.interceptorsRef.request = axios.interceptors.request.use(this._onRequestSuccess.bind(this))
163 | this.interceptorsRef.response = axios.interceptors.response.use(
164 | this._onResponseSuccess.bind(this),
165 | this._onResponseFailed.bind(this),
166 | )
167 | }
168 |
169 | /**
170 | * @description
171 | * eject the current axios interceptor from the axios instance
172 | * @param axios
173 | */
174 | eject(axios) {
175 | axios.interceptors.request.eject(this.interceptorsRef.request)
176 | axios.interceptors.response.eject(this.interceptorsRef.response)
177 | }
178 |
179 | /**
180 | * @description
181 | * Cancel all requests that belong to the groupKey
182 | * @param groupKey
183 | */
184 | cancelGroupRequests(groupKey) {
185 | const cancelGroup = this.cancelRequestGroupMap[groupKey]
186 | if (!Array.isArray(cancelGroup)) {
187 | return
188 | }
189 |
190 | cancelGroup.forEach(key => {
191 | const cancelItem = this.cancelRequestMap[key]
192 | cancelItem.cancel({ ...cancelItem.config })
193 | this._delete(cancelItem.config)
194 | })
195 | delete this.cancelRequestGroupMap[groupKey]
196 | }
197 |
198 | /**
199 | * @description
200 | * Return object with { ccgk: customCancelGroupKey } to use in the axios config headers
201 | * @param customCancelGroupKey
202 | * @returns {{}}
203 | */
204 | getCancelGroupHeader(customCancelGroupKey) {
205 | if (!customCancelGroupKey) {
206 | throw new Error(`"getCancelGroupHeader" should invoke
207 | with cancel group key, please verify that you didn't
208 | invoke the function with undefined or null`)
209 | }
210 | return {
211 | [uniqueGroupKey]: customCancelGroupKey,
212 | }
213 | }
214 | }
215 |
216 | module.exports = new Cancel()
217 |
--------------------------------------------------------------------------------
/src/index.js:
--------------------------------------------------------------------------------
1 | const pending = require('./plugins/pending.plugin')
2 | const cancel = require('./plugins/cancel.plugin')
3 | const log = require('./plugins/log.plugin')
4 | const logger = require('./services/logger')
5 | const { GITHUB_REPO } = require('./config')
6 |
7 | /**
8 | * The Only Authorized plugins for this version.
9 | * In the future we want to let developers to create plugin
10 | * and use our API to create custom plugins
11 | */
12 |
13 | const PluginsNamesEnum = Object.freeze({
14 | PENDING: 'pending',
15 | CANCEL: 'cancel',
16 | LOG: 'log',
17 | })
18 |
19 | const AuthorizedPlugins = {
20 | [PluginsNamesEnum.PENDING]: pending,
21 | [PluginsNamesEnum.CANCEL]: cancel,
22 | [PluginsNamesEnum.LOG]: log,
23 | }
24 |
25 | function Redel() {
26 | this.signedPlugins = []
27 | return this
28 | }
29 |
30 |
31 | /**
32 | * @description
33 | * The best option for right now to check if param is a axios instance
34 | * The check is if axios exist AND is interceptors exist on the object
35 | * this double check provide us to check if it's axios instance or axios.create
36 | * @param axios
37 | * @returns {*|boolean}
38 | */
39 | function isAxiosInstance(axios) {
40 | return axios && typeof axios.interceptors === 'object'
41 | }
42 |
43 | /**
44 | * @description
45 | * "use" will search for desire and authorized plugins to invoke there "init" function,
46 | * this function called "applyPlugin".
47 | * Please notice that plugin key must be follow by *true* value
48 | * @param axios - the axios instance ( also work with axios.create())
49 | * @param config -
50 | * should be an object that contain the names of the desire plugins as key and
51 | * true as value for example { pending: true }
52 | */
53 | function use(axios, config) {
54 | if (!isAxiosInstance(axios)) {
55 | throw new Error('Redel must init with an axios instance!')
56 | }
57 | if (this._axios) {
58 | // if developer try to call `use` twice or more
59 | // we should eject all plugins before init the Redel instance again,
60 | // this will ensure that we avoid memory leak or mismatch
61 | ejectAll.call(this)
62 | }
63 | this._axios = axios
64 | if (config && typeof config === 'object' && !Array.isArray(config)) {
65 | Object.keys(config).forEach((key) => {
66 | if (AuthorizedPlugins[key]) {
67 | logger.log(` ${key} Plugin was sign`)
68 | _addPlugin.call(this, key)
69 | }
70 | })
71 | } else {
72 | throw new Error('Redel: try to initialize the "use" function with wrong config type')
73 | }
74 | }
75 |
76 | /**
77 | * @description
78 | * Return Array of singed plugins name
79 | * @returns ["plugin-name"]
80 | */
81 | function getSignedPlugins() {
82 | return [...this.signedPlugins]
83 | }
84 |
85 |
86 | /**
87 | * @description
88 | * Let the user the option to delete all the Redel plugins
89 | * from the axios instance (reset the Redel plugins)
90 | */
91 | function ejectAll() {
92 | this.signedPlugins.forEach(key => {
93 | AuthorizedPlugins[key].eject(this._axios)
94 | })
95 | this.signedPlugins = []
96 | }
97 |
98 |
99 | /**
100 | * @description
101 | * eject plugin by key, current keys displayed on the "AuthorizedPlugins" object
102 | * @param key
103 | */
104 | function eject(key) {
105 | if (!AuthorizedPlugins[key]) {
106 | // eslint-disable-next-line no-console
107 | console.error(`You are trying to eject plugin that not exist [${key}],
108 | currently available plugins are [${Object.keys(AuthorizedPlugins).toString()}]`)
109 | return
110 | }
111 | if (!this.signedPlugins.includes(key)) {
112 | // eslint-disable-next-line no-console
113 | console.error(`You are trying to eject plugin that not signed to the
114 | Redel instance [${key}], currently singed plugins are [${this.signedPlugins.toString()}]`)
115 | return
116 | }
117 | AuthorizedPlugins[key].eject(this._axios)
118 | this.signedPlugins = this.signedPlugins.filter(pluginName => pluginName !== key)
119 | }
120 |
121 | /**
122 | * @description
123 | * add plugin at run time,
124 | * before assignment the function check if the plugin authorized by the library,
125 | * and if the plugin not already signed before, if both of the conditions true
126 | * Redel will singed the plugin.
127 | * @param key
128 | */
129 | function add(key) {
130 | if (!AuthorizedPlugins[key]) {
131 | // eslint-disable-next-line no-console
132 | console.error(`You are trying to add plugin that not exist [${key}],
133 | currently available plugins are [${Object.keys(AuthorizedPlugins).toString()}]`)
134 | return
135 | }
136 | if (this.signedPlugins.includes(key)) {
137 | // eslint-disable-next-line no-console
138 | console.error(`You are trying to add plugin that already signed to the
139 | Redel instance [${key}], currently singed plugins are [${this.signedPlugins.toString()}]`)
140 | return
141 | }
142 | _addPlugin.call(this, key)
143 | }
144 |
145 | /**
146 | * @description
147 | * List of functions that can be invoke from the main Redel Object
148 | * @param use - for init the library
149 | * @param add - add plugin
150 | * @param ejectAll - eject all plugins
151 | * @param eject - eject plugin
152 | * @param getSignedPlugins - to get the singed plugins as strings array
153 | */
154 | Redel.prototype.use = use
155 | Redel.prototype.add = add
156 | Redel.prototype.getSignedPlugins = getSignedPlugins
157 | Redel.prototype.ejectAll = ejectAll
158 | Redel.prototype.eject = eject
159 |
160 |
161 | /**
162 | * @description
163 | * expose functions from pending plugin
164 | */
165 | Redel.prototype.getPendingRequests = function getPendingRequests() {
166 | _validatePlugin.call(this, PluginsNamesEnum.PENDING, pending.getPendingRequests.name)
167 | return pending.getPendingRequests()
168 | }
169 | Redel.prototype.clearPendingRequests = function clearPendingRequests() {
170 | _validatePlugin.call(this, PluginsNamesEnum.PENDING, 'clearPendingRequests')
171 | return pending.clear()
172 | }
173 |
174 | /**
175 | * @description
176 | * expose functions from cancel plugin
177 | */
178 | Redel.prototype.cancelGroupRequests = function cancelGroupRequests(customCancelGroupKey) {
179 | _validatePlugin.call(this, PluginsNamesEnum.CANCEL, cancel.cancelGroupRequests.name)
180 | return cancel.cancelGroupRequests(customCancelGroupKey)
181 | }
182 | Redel.prototype.getCancelGroupHeader = function getCancelGroupHeader(customCancelGroupKey) {
183 | _validatePlugin.call(this, PluginsNamesEnum.CANCEL, cancel.getCancelGroupHeader.name)
184 | return cancel.getCancelGroupHeader(customCancelGroupKey)
185 | }
186 |
187 | /**
188 | * @description
189 | * add plugin into the singedPlugins array and init the plugins with the axios instance
190 | * @param key
191 | * @private HELPER
192 | */
193 |
194 | function _addPlugin(key) {
195 | AuthorizedPlugins[key].applyPlugin(this._axios)
196 | this.signedPlugins.push(key)
197 | }
198 |
199 | /**
200 | * @description
201 | * Validate that plugin with this "pluginName" initialize before
202 | * letting the developer work with the plugin functionality
203 | * @param pluginName - the desire plugin name
204 | * @param fnName - the function that user try to invoke
205 | * @private
206 | */
207 | function _validatePlugin(pluginName, fnName) {
208 | if (!this.signedPlugins.includes(pluginName)) {
209 | throw new Error(
210 | `${pluginName} plugin not initialized while you trying to call "${fnName}",
211 | try to pass the "${pluginName}" property into the Redel config to init the plugin,
212 | for more information please visit our docs at ${GITHUB_REPO}`,
213 | )
214 | }
215 | }
216 |
217 | module.exports = new Redel()
218 |
--------------------------------------------------------------------------------
/test/log/index.spec.js:
--------------------------------------------------------------------------------
1 | const fs = require('fs')
2 | const path = require('path')
3 | const FormData = require('form-data')
4 | const axios = require('axios')
5 | const { assert } = require('chai')
6 | const { spy } = require('sinon')
7 | const { BASIC_URL, generateQueryStringFromObject, getSpyCallValue } = require('./../utils')
8 | const server = require('./../../server')
9 | const Redel = require('./../../src')
10 |
11 |
12 | describe('Log plugin', () => {
13 | let consoleLogSpy
14 | // eslint-disable-next-line no-console
15 | const storeLog = console.log
16 |
17 | before(() => {
18 | server.init()
19 | Redel.ejectAll()
20 | Redel.use(axios, { log: true })
21 |
22 | // change the console.log function to anonymous function to work on the test in easier format
23 | // eslint-disable-next-line no-console
24 | console.log = () => {}
25 |
26 | consoleLogSpy = spy(console, 'log')
27 | })
28 |
29 | after(() => {
30 | server.close()
31 | consoleLogSpy.restore()
32 | // eslint-disable-next-line no-console
33 | console.log = storeLog
34 | })
35 |
36 |
37 | context('is log sign to the main module', () => {
38 | it('should find log in the main module', () => {
39 | assert.isTrue(Redel.getSignedPlugins()[0] === 'log')
40 | assert.isTrue(Redel.getSignedPlugins().length === 1)
41 | })
42 | })
43 |
44 | context('check if the basic printed data is valid', () => {
45 | const url = `${BASIC_URL}/basic`
46 |
47 | it('should call to the log function on the console instance 2 times', async () => {
48 | await axios.get(url)
49 | assert.isTrue(consoleLogSpy.callCount === 2)
50 | })
51 |
52 | it('should be the same url in the printedData and the url that send to the request', async () => {
53 | await axios.get(url)
54 | const printedData = consoleLogSpy.lastCall.args[0]
55 | assert.isTrue(consoleLogSpy.called)
56 | assert.isTrue(printedData.url === url)
57 | })
58 |
59 | it('should validate that end time bigger then start time', async () => {
60 | await axios.get(url)
61 | const printedData = consoleLogSpy.lastCall.args[0]
62 | assert.isAbove(printedData.endTime, printedData.startTime)
63 | })
64 |
65 | it('should validate that total time property include "ms" charters', async () => {
66 | await axios.get(url)
67 | const printedData = consoleLogSpy.lastCall.args[0]
68 | assert.include(printedData.totalTime, 'ms')
69 | })
70 |
71 | it('should validate that isCompletedWithoutError property exists', async () => {
72 | await axios.get(url)
73 | const printedData = consoleLogSpy.lastCall.args[0]
74 | assert.include(Object.keys(printedData), 'isCompletedWithoutError')
75 | })
76 |
77 |
78 | it('should validate that method property equal to the printed data object', async () => {
79 | const method = 'get'
80 | await axios[method](url)
81 | const printedData = consoleLogSpy.lastCall.args[0]
82 | assert.isTrue(printedData.method === method)
83 | })
84 | })
85 |
86 | context('is log object has default properties', () => {
87 | const url = `${BASIC_URL}/basic`
88 |
89 | it('should validate that proxy is undefined by default', async () => {
90 | await axios.get(url)
91 | const printedData = consoleLogSpy.lastCall.args[0]
92 | assert.isUndefined(printedData.proxy)
93 | })
94 |
95 | it('should validate that timeout is 0 by default', async () => {
96 | await axios.get(url)
97 | const printedData = consoleLogSpy.lastCall.args[0]
98 | assert.isAtMost(printedData.timeout, 0)
99 | })
100 |
101 | it('should validate that maxContentLength is -1 by default', async () => {
102 | await axios.get(url)
103 | const printedData = consoleLogSpy.lastCall.args[0]
104 | assert.isAtMost(printedData.maxContentLength, -1)
105 | })
106 |
107 | it('should validate that requestData include the relevant properties', async () => {
108 | await axios.get(url)
109 | const printedData = consoleLogSpy.lastCall.args[0]
110 | assert.include(Object.keys(printedData.requestData), 'query')
111 | assert.include(Object.keys(printedData.requestData), 'params')
112 | assert.include(Object.keys(printedData.requestData), 'data')
113 | })
114 | })
115 |
116 | context('is default values change when we get them in the config', () => {
117 | let printedData
118 | const url = `${BASIC_URL}/basic`
119 | const customTimeout = 10000
120 | const customMaxContentLength = 100000
121 | const proxy = {
122 | host: '127.0.0.1',
123 | port: 3002,
124 | }
125 |
126 | before(async () => {
127 | await axios.get(url, {
128 | timeout: customTimeout,
129 | maxContentLength: customMaxContentLength,
130 | proxy,
131 | })
132 | const [data] = consoleLogSpy.lastCall.args
133 | printedData = data
134 | })
135 |
136 |
137 | it('should validate that timeout property is not default', () => {
138 | assert.isTrue(printedData.timeout === customTimeout)
139 | })
140 |
141 | it('should validate that proxy property is not default', async () => {
142 | assert.deepEqual(printedData.proxy, proxy)
143 | })
144 |
145 | it('should validate that maxContentLength property is not default', async () => {
146 | assert.isTrue(printedData.maxContentLength === customMaxContentLength)
147 | })
148 | })
149 |
150 | context('on request failed', () => {
151 | const url = `${BASIC_URL}/basic/not-exist`
152 |
153 | before(() => {
154 | consoleLogSpy.resetHistory()
155 | })
156 |
157 | it('should validate that spy functions called', async () => {
158 | await axios.get(url).catch(() => {})
159 | assert.isTrue(consoleLogSpy.callCount === 2)
160 | })
161 |
162 | it('should validate that the message is printed', async () => {
163 | await axios.get(url).catch(() => {})
164 | const printedData = consoleLogSpy.lastCall.args[0]
165 | assert.exists(printedData)
166 | })
167 |
168 | it('should validate that isCompletedWithoutError is false', async () => {
169 | await axios.get(url).catch(() => {})
170 | const printedData = consoleLogSpy.lastCall.args[0]
171 | assert.isFalse(printedData.isCompletedWithoutError)
172 | })
173 |
174 | it('should validate that responseData is undefined', async () => {
175 | await axios.get(url).catch(() => {})
176 | const printedData = consoleLogSpy.lastCall.args[0]
177 | assert.isUndefined(printedData.responseData)
178 | })
179 | })
180 |
181 | context('is log object contains the right parameters for request', () => {
182 | let printedData
183 | const url = `${BASIC_URL}/basic`
184 | const query = { queryParam1: '1', queryParam2: '2' }
185 | const params = { param1: 1 }
186 | const data = { dataParam: 1, dataParam2: 'string' }
187 | const queryString = generateQueryStringFromObject(query)
188 |
189 | before(async () => {
190 | await axios.post(`${url}?${queryString}`, data, { params })
191 | const [args] = consoleLogSpy.lastCall.args
192 | printedData = args
193 | })
194 |
195 | it('should validate that request sent with the right query params', async () => {
196 | assert.deepEqual(printedData.requestData.query, query)
197 | })
198 |
199 | it('should validate that request sent with the right params', async () => {
200 | assert.deepEqual(printedData.requestData.params, params)
201 | })
202 |
203 | it('should validate that request sent with the right data', async () => {
204 | assert.deepEqual(printedData.requestData.data, data)
205 | })
206 | })
207 |
208 | context('requests with the same url', () => {
209 | const url = `${BASIC_URL}/time-out`
210 |
211 | it('should check if two request with the same url and a different method are valid', async () => {
212 | const getRequestUrl = `${url}/10`
213 | await Promise.all([
214 | axios.get(getRequestUrl),
215 | axios.post(`${url}/20`, { poi: true }),
216 | ])
217 | const postPrintedData = { ...consoleLogSpy.lastCall.args[0] }
218 | assert.deepEqual(postPrintedData.requestData.data, { poi: true })
219 | // check if the printed data of get request really printed
220 | const getPrintedData = getSpyCallValue(consoleLogSpy, 3)
221 | assert.equal(getPrintedData.method, 'get')
222 | assert.equal(getPrintedData.url, getRequestUrl)
223 | })
224 |
225 | it('should check if two request with the same url and the same method are valid', async () => {
226 | await Promise.all([
227 | axios.patch(`${url}/10`),
228 | axios.patch(`${url}/20`),
229 | ])
230 | const patchPrintedDataSecond = { ...consoleLogSpy.lastCall.args[0] }
231 | assert.equal(patchPrintedDataSecond.method, 'patch')
232 | const firstPatchPrintedRequest = getSpyCallValue(consoleLogSpy, 3)
233 | assert.equal(firstPatchPrintedRequest.method, 'patch')
234 | })
235 | })
236 |
237 | context('requests with multipart', () => {
238 | it('should print in the request data FromData object', async () => {
239 | const absolutePath = path.join(__dirname, '/../../package.json')
240 | const file = fs.createReadStream(absolutePath)
241 |
242 | const form = new FormData()
243 | form.append('file', file)
244 |
245 | await axios({
246 | method: 'post',
247 | processData: false,
248 | contentType: 'multipart/form-data',
249 | cache: false,
250 | url: `${BASIC_URL}/multipart`,
251 | data: form,
252 | config: { headers: form.getHeaders() },
253 | })
254 |
255 | const printedData = consoleLogSpy.lastCall.args[0]
256 | assert.isTrue(printedData.requestData.data._valuesToMeasure[0].path === absolutePath)
257 | })
258 | })
259 | })
260 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # Redel
2 | [](https://www.npmjs.org/package/redel)
3 | [](https://packagephobia.now.sh/result?p=redel)
4 | [](http://npm-stat.com/charts.html?package=redel)
5 | 
6 | [](https://travis-ci.org/omriLugasi/Redel)
7 | [](https://coveralls.io/github/omriLugasi/Redel)
8 |
9 | A middleware library for promise based axios for the browser and nodeJs
10 |
11 | ## Installing
12 |
13 | Using npm:
14 |
15 | ```bash
16 | $ npm install redel
17 | ```
18 |
19 | Using yarn:
20 |
21 | ```bash
22 | $ yarn add redel
23 | ```
24 |
25 | ## Redel API
26 | - [use](#use)
27 | - [add](#add)
28 | - [eject](#eject)
29 | - [ejectAll](#ejectAll)
30 | - [getSignedPlugins](#getSignedPlugins)
31 | - [getPendingRequests](#getPendingRequests)
32 | - [clearPendingRequests](#clearPendingRequests)
33 | - [cancelGroupRequests](#cancelGroupRequests)
34 | - [getCancelGroupHeader](#getCancelGroupHeader)
35 |
36 | ## Plugins
37 | - [Cancel](#cancel-plugin)
38 | - [Log](#log-plugin)
39 | - [Pending](#pending-plugin)
40 |
41 |
42 |
43 | ## Example
44 |
45 | Performing a basic usage
46 |
47 | ```js
48 |
49 | const Redel = require('redel')
50 | const axios = require('axios')
51 |
52 | const config = { log: true }
53 | Redel.use(axios, config)
54 |
55 | // ..
56 |
57 | axios.get('https://jsonplaceholder.typicode.com/todos')
58 |
59 | ```
60 |
61 | Performing usage with multiple plugins
62 |
63 | ```js
64 |
65 | const Redel = require('redel')
66 | const axios = require('axios')
67 |
68 | const config = { log: true, cancel: true, pending: true }
69 | Redel.use(axios, config)
70 |
71 | // ..
72 |
73 | axios.get('https://jsonplaceholder.typicode.com/todos')
74 |
75 | ```
76 |
77 | Performing usage with axios.create
78 |
79 | ```js
80 |
81 | const Redel = require('redel')
82 | const axios = require('axios')
83 | const axiosInstance = axios.create()
84 |
85 | const config = { log: true, cancel: true, pending: true }
86 | Redel.use(axiosInstance, config)
87 |
88 | // ..
89 |
90 | axiosInstance.get('https://jsonplaceholder.typicode.com/todos')
91 |
92 | ```
93 |
94 | ## Cancel Plugin
95 |
96 | Cancel plugin is a plugin that wrap your requests
97 | before firing them to the server with axios cancellation functionality.
98 |
99 | The cancel plugin work with 2 different functionality:
100 | 1. Single cancel
101 | 2. Cancel by group key
102 |
103 | * **Single**
104 | Cancel request that still didn't return from the server
105 | when a new request with the same **method and pathname**
106 | gonna be fired to the server.
107 |
108 | * **Cancel by group key**
109 | Cancel all requests with the **unique group key**
110 |
111 |
112 | **Usage - Single**
113 |
114 | ```js
115 |
116 | const Redel = require('redel')
117 | const axios = require('axios')
118 |
119 | Redel.use(axios, { cancel: true })
120 | let canceledReqeuests = 0
121 |
122 | // We can check if the catch function triggered by the Redel cancel plugin
123 | // with the following condition `!!e.isCanceled`
124 | const catchFn = e => {
125 | if (e.isCanceled) {
126 | canceledReqeuests += 1
127 | }
128 | }
129 |
130 | const mount = async () => {
131 | const basicUrl = 'https://jsonplaceholder.typicode.com/todos'
132 | await Promise.all([
133 | axios.get(`${basicUrl}?group=3`).catch(catchFn), // canceled
134 | axios.get(`${basicUrl}?group=124`).catch(catchFn), // canceled
135 | axios.get(`${basicUrl}?group=1911`).catch(catchFn), // canceled
136 | axios.get(`${basicUrl}?group=00001`).catch(catchFn) // resolved
137 | ])
138 | console.log({ canceledReqeuests }) // { canceledReqeuests: 3 }
139 | }
140 |
141 | mount()
142 |
143 | ```
144 |
145 |
146 | **Usage - Cancel by group key**
147 |
148 | ```js
149 | const Redel = require('redel')
150 | const axios = require('axios')
151 |
152 | Redel.use(axios, { cancel: true })
153 | const cancelGroupKey = 'customCancelGroupKey'
154 |
155 | const headers = Redel.getCancelGroupHeader(cancelGroupKey)
156 | const basicUrl = 'https://jsonplaceholder.typicode.com/todos'
157 |
158 | let canceledReqeuests = 0
159 |
160 | // We can check if the catch function triggered by the Redel cancel plugin
161 | // with the following condition `!!e.isCanceled`
162 | const catchFn = e => {
163 | if (e.isCanceled) {
164 | canceledReqeuests += 1
165 | }
166 | }
167 |
168 | const mount = () => {
169 | axios.get(`${basicUrl}/1`, { headers }).catch(catchFn),
170 | axios.get(`${basicUrl}/2`, { headers }).catch(catchFn),
171 | axios.get(`${basicUrl}/3`, { headers }).catch(catchFn),
172 | axios.get(`${basicUrl}/4`, { headers }).catch(catchFn)
173 | }
174 |
175 | mount()
176 |
177 | // beforeDestroyed run the commend below to ensure that
178 | // all pending requests would be canceled
179 | Redel.cancelGroupRequests(cancelGroupKey)
180 |
181 |
182 | ```
183 |
184 | ## Pending Plugin
185 |
186 | Monitoring your pending requests.
187 | Expose functionality to get your pending requests.
188 |
189 | Examples
190 |
191 | ```js
192 | const Redel = require('redel')
193 | const axios = require('axios')
194 |
195 | Redel.use(axios, { pending: true })
196 |
197 | axios.get('https://jsonplaceholder.typicode.com/todos/1')
198 | setTimeout(() => {
199 | console.log(Redel.getPendingRequests()) // ["/todos/1"]
200 | })
201 |
202 | ```
203 |
204 | A common usage of this functionality can be found in "beforeunload"
205 |
206 | ```js
207 | // if user has any pending request, display warning message
208 | window.addEventListener("beforeunload", function (e) {
209 | if (Redel.getPendingRequests().length) {
210 | // there are pending requests
211 | // display a warning message
212 | }
213 | // unload the page
214 | })
215 | ```
216 |
217 |
218 | ## Log Plugin
219 |
220 | Monitoring your requests by printing a very informative log about each request.
221 |
222 | Examples
223 | ```js
224 | const Redel = require('redel')
225 | const axios = require('axios')
226 |
227 | const url = 'https://jsonplaceholder.typicode.com/todos/1'
228 |
229 | Redel.use(axios, { log: true })
230 |
231 | axios.get(url)
232 |
233 | ```
234 |
235 | The above will print the js object below
236 |
237 | ```js
238 | {
239 | isCompletedWithoutError: true,
240 | maxContentLength: -1,
241 | method: "get",
242 | timeout: 0,
243 | proxy: undefined,
244 | requestData: {query: {}, data: {}, params: {}},
245 | requestHeaders: {
246 | common: {Accept: "application/json", "text/plain": "*/*"},
247 | delete: {},
248 | get: {},
249 | head: {},
250 | patch: {"Content-Type": "application/x-www-form-urlencoded"},
251 | post: {"Content-Type": "application/x-www-form-urlencoded"},
252 | put: {"Content-Type": "application/x-www-form-urlencoded"},
253 | },
254 | responseData: {userId: 1, id: 1, title: "delectus aut autem", completed: false},
255 | endTime: 1571698420250,
256 | startTime: 1571698420167,
257 | totalTime: "83ms",
258 | url: "https://jsonplaceholder.typicode.com/todos/1",
259 | }
260 |
261 | ```
262 | ### Table of content
263 |
264 | | Property | Type | Description |
265 | | --- | --- | --- |
266 | | isCompletedWithoutError | Boolean | The request done with error or not |
267 | | maxContentLength | Number | Request max content length |
268 | | method | String | Request method |
269 | | timeout | number | Request time out |
270 | | proxy | object | Request proxy |
271 | | requestData | Object | Object that hold the request data (data, query, params)|
272 | | requestHeaders | Object | Request headers |
273 | | responseData | Object | Response data |
274 | | startTime | Number (timestamp) | Request start time |
275 | | endTime | Number (timestamp) | Request end time |
276 | | totalTime | String | Request total time |
277 | | url | String | Request url |
278 |
279 |
280 | ## Use
281 |
282 | Work as Redel init function.
283 | To initialize the function we need 2 params, axios and config.
284 |
285 | | Property | Description |
286 | | --- | --- |
287 | | axios | axios instance |
288 | | config | Contains the desire plugins |
289 |
290 |
291 | The function will sign the plugins into the injected axios instnace.
292 |
293 |
294 | Example
295 | ```js
296 | const Redel = require('redel')
297 | const axios = require('axios')
298 |
299 | Redel.use(axios, { log: true })
300 |
301 | ```
302 |
303 | ## add
304 |
305 | Add plugin at run time
306 |
307 | Example
308 | ```js
309 | const Redel = require('redel')
310 | const axios = require('axios')
311 |
312 | Redel.use(axios, { log: true })
313 |
314 | // ...
315 | // ...
316 | // ...
317 |
318 | Redel.add('cancel')
319 |
320 | console.log(Redel.getSignedPlugins()) // ['log', 'cancel']
321 |
322 | ```
323 |
324 | ## eject
325 | Remove plugin from Redel.
326 |
327 | This is useful when you want to remove specific plugin at run time from the Redel instance.
328 |
329 |
330 | Example
331 | ```js
332 | const Redel = require('redel')
333 | const axios = require('axios')
334 |
335 | Redel.use(axios, { log: true })
336 |
337 | //...
338 | //...
339 | //...
340 | console.log(Redel.getSignedPlugins()) // ['log']
341 | Redel.eject('log')
342 | console.log(Redel.getSignedPlugins()) // []
343 |
344 | ```
345 |
346 | ## ejectAll
347 |
348 | Reset the Redel plugins.
349 |
350 | This is useful when you want to remove all your plugins at once.
351 | > Note: The axios instance will be saved.
352 |
353 | ```js
354 | Redel.ejectAll()
355 |
356 | ```
357 |
358 | ## getSignedPlugins
359 | Return Array of singed plugins name.
360 |
361 | Exmaple
362 |
363 | ```js
364 | const Redel = require('redel')
365 | const axios = require('axios')
366 |
367 | Redel.use(axios, { log: true, cancel: true })
368 |
369 | console.log(Redel.getSignedPlugins()) // ['log', 'cancel']
370 |
371 | ```
372 |
373 | ## getPendingRequests
374 |
375 | Return Array of string, that each string contain the url of pending request.
376 |
377 | Example
378 |
379 | ```js
380 | const Redel = require('redel')
381 | const axios = require('axios')
382 |
383 | Redel.use(axios, { pending: true })
384 |
385 | axios.get('https://jsonplaceholder.typicode.com/todos/1')
386 | setTimeout(() => {
387 | console.log(Redel.getPendingRequests()) // ["/todos/1"]
388 | })
389 |
390 | ```
391 |
392 | ## clearPendingRequests
393 |
394 | Clear the pending request array.
395 |
396 | ```js
397 | Redel.clearPendingRequests()
398 | ```
399 |
400 |
401 | ## cancelGroupRequests
402 | Cancel all requests that belong to the groupKey.
403 | [Click here for more information](#cancel-plugin)
404 |
405 | ```js
406 | Redel.cancelGroupRequests('cancelGroupKey')
407 | ```
408 |
409 | ## getCancelGroupHeader
410 | sign request to cancel group.
411 |
412 | ```js
413 | Redel.getCancelGroupHeader()
414 | ```
415 |
416 | You can find examples [here](#cancel-plugin)
417 |
418 |
419 |
--------------------------------------------------------------------------------
/yarn.lock:
--------------------------------------------------------------------------------
1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
2 | # yarn lockfile v1
3 |
4 |
5 | "@babel/code-frame@^7.0.0", "@babel/code-frame@^7.5.5":
6 | version "7.5.5"
7 | resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.5.5.tgz#bc0782f6d69f7b7d49531219699b988f669a8f9d"
8 | integrity sha512-27d4lZoomVyo51VegxI20xZPuSHusqbQag/ztrBC7wegWoQ1nLREPVSKSW8byhTlzTKyNE4ifaTA6lCp7JjpFw==
9 | dependencies:
10 | "@babel/highlight" "^7.0.0"
11 |
12 | "@babel/generator@^7.4.0", "@babel/generator@^7.6.2":
13 | version "7.6.2"
14 | resolved "https://registry.yarnpkg.com/@babel/generator/-/generator-7.6.2.tgz#dac8a3c2df118334c2a29ff3446da1636a8f8c03"
15 | integrity sha512-j8iHaIW4gGPnViaIHI7e9t/Hl8qLjERI6DcV9kEpAIDJsAOrcnXqRS7t+QbhL76pwbtqP+QCQLL0z1CyVmtjjQ==
16 | dependencies:
17 | "@babel/types" "^7.6.0"
18 | jsesc "^2.5.1"
19 | lodash "^4.17.13"
20 | source-map "^0.5.0"
21 |
22 | "@babel/helper-function-name@^7.1.0":
23 | version "7.1.0"
24 | resolved "https://registry.yarnpkg.com/@babel/helper-function-name/-/helper-function-name-7.1.0.tgz#a0ceb01685f73355d4360c1247f582bfafc8ff53"
25 | integrity sha512-A95XEoCpb3TO+KZzJ4S/5uW5fNe26DjBGqf1o9ucyLyCmi1dXq/B3c8iaWTfBk3VvetUxl16e8tIrd5teOCfGw==
26 | dependencies:
27 | "@babel/helper-get-function-arity" "^7.0.0"
28 | "@babel/template" "^7.1.0"
29 | "@babel/types" "^7.0.0"
30 |
31 | "@babel/helper-get-function-arity@^7.0.0":
32 | version "7.0.0"
33 | resolved "https://registry.yarnpkg.com/@babel/helper-get-function-arity/-/helper-get-function-arity-7.0.0.tgz#83572d4320e2a4657263734113c42868b64e49c3"
34 | integrity sha512-r2DbJeg4svYvt3HOS74U4eWKsUAMRH01Z1ds1zx8KNTPtpTL5JAsdFv8BNyOpVqdFhHkkRDIg5B4AsxmkjAlmQ==
35 | dependencies:
36 | "@babel/types" "^7.0.0"
37 |
38 | "@babel/helper-split-export-declaration@^7.4.4":
39 | version "7.4.4"
40 | resolved "https://registry.yarnpkg.com/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.4.4.tgz#ff94894a340be78f53f06af038b205c49d993677"
41 | integrity sha512-Ro/XkzLf3JFITkW6b+hNxzZ1n5OQ80NvIUdmHspih1XAhtN3vPTuUFT4eQnela+2MaZ5ulH+iyP513KJrxbN7Q==
42 | dependencies:
43 | "@babel/types" "^7.4.4"
44 |
45 | "@babel/highlight@^7.0.0":
46 | version "7.5.0"
47 | resolved "https://registry.yarnpkg.com/@babel/highlight/-/highlight-7.5.0.tgz#56d11312bd9248fa619591d02472be6e8cb32540"
48 | integrity sha512-7dV4eu9gBxoM0dAnj/BCFDW9LFU0zvTrkq0ugM7pnHEgguOEeOz1so2ZghEdzviYzQEED0r4EAgpsBChKy1TRQ==
49 | dependencies:
50 | chalk "^2.0.0"
51 | esutils "^2.0.2"
52 | js-tokens "^4.0.0"
53 |
54 | "@babel/parser@^7.4.3", "@babel/parser@^7.6.0", "@babel/parser@^7.6.2":
55 | version "7.6.2"
56 | resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.6.2.tgz#205e9c95e16ba3b8b96090677a67c9d6075b70a1"
57 | integrity sha512-mdFqWrSPCmikBoaBYMuBulzTIKuXVPtEISFbRRVNwMWpCms/hmE2kRq0bblUHaNRKrjRlmVbx1sDHmjmRgD2Xg==
58 |
59 | "@babel/template@^7.1.0", "@babel/template@^7.4.0":
60 | version "7.6.0"
61 | resolved "https://registry.yarnpkg.com/@babel/template/-/template-7.6.0.tgz#7f0159c7f5012230dad64cca42ec9bdb5c9536e6"
62 | integrity sha512-5AEH2EXD8euCk446b7edmgFdub/qfH1SN6Nii3+fyXP807QRx9Q73A2N5hNwRRslC2H9sNzaFhsPubkS4L8oNQ==
63 | dependencies:
64 | "@babel/code-frame" "^7.0.0"
65 | "@babel/parser" "^7.6.0"
66 | "@babel/types" "^7.6.0"
67 |
68 | "@babel/traverse@^7.4.3":
69 | version "7.6.2"
70 | resolved "https://registry.yarnpkg.com/@babel/traverse/-/traverse-7.6.2.tgz#b0e2bfd401d339ce0e6c05690206d1e11502ce2c"
71 | integrity sha512-8fRE76xNwNttVEF2TwxJDGBLWthUkHWSldmfuBzVRmEDWOtu4XdINTgN7TDWzuLg4bbeIMLvfMFD9we5YcWkRQ==
72 | dependencies:
73 | "@babel/code-frame" "^7.5.5"
74 | "@babel/generator" "^7.6.2"
75 | "@babel/helper-function-name" "^7.1.0"
76 | "@babel/helper-split-export-declaration" "^7.4.4"
77 | "@babel/parser" "^7.6.2"
78 | "@babel/types" "^7.6.0"
79 | debug "^4.1.0"
80 | globals "^11.1.0"
81 | lodash "^4.17.13"
82 |
83 | "@babel/types@^7.0.0", "@babel/types@^7.4.0", "@babel/types@^7.4.4", "@babel/types@^7.6.0":
84 | version "7.6.1"
85 | resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.6.1.tgz#53abf3308add3ac2a2884d539151c57c4b3ac648"
86 | integrity sha512-X7gdiuaCmA0uRjCmRtYJNAVCc/q+5xSgsfKJHqMN4iNLILX39677fJE1O40arPMh0TTtS9ItH67yre6c7k6t0g==
87 | dependencies:
88 | esutils "^2.0.2"
89 | lodash "^4.17.13"
90 | to-fast-properties "^2.0.0"
91 |
92 | "@sinonjs/commons@^1", "@sinonjs/commons@^1.3.0", "@sinonjs/commons@^1.4.0":
93 | version "1.6.0"
94 | resolved "https://registry.yarnpkg.com/@sinonjs/commons/-/commons-1.6.0.tgz#ec7670432ae9c8eb710400d112c201a362d83393"
95 | integrity sha512-w4/WHG7C4WWFyE5geCieFJF6MZkbW4VAriol5KlmQXpAQdxvV0p26sqNZOW6Qyw6Y0l9K4g+cHvvczR2sEEpqg==
96 | dependencies:
97 | type-detect "4.0.8"
98 |
99 | "@sinonjs/formatio@^3.2.1":
100 | version "3.2.1"
101 | resolved "https://registry.yarnpkg.com/@sinonjs/formatio/-/formatio-3.2.1.tgz#52310f2f9bcbc67bdac18c94ad4901b95fde267e"
102 | integrity sha512-tsHvOB24rvyvV2+zKMmPkZ7dXX6LSLKZ7aOtXY6Edklp0uRcgGpOsQTTGTcWViFyx4uhWc6GV8QdnALbIbIdeQ==
103 | dependencies:
104 | "@sinonjs/commons" "^1"
105 | "@sinonjs/samsam" "^3.1.0"
106 |
107 | "@sinonjs/samsam@^3.1.0", "@sinonjs/samsam@^3.3.3":
108 | version "3.3.3"
109 | resolved "https://registry.yarnpkg.com/@sinonjs/samsam/-/samsam-3.3.3.tgz#46682efd9967b259b81136b9f120fd54585feb4a"
110 | integrity sha512-bKCMKZvWIjYD0BLGnNrxVuw4dkWCYsLqFOUWw8VgKF/+5Y+mE7LfHWPIYoDXowH+3a9LsWDMo0uAP8YDosPvHQ==
111 | dependencies:
112 | "@sinonjs/commons" "^1.3.0"
113 | array-from "^2.1.1"
114 | lodash "^4.17.15"
115 |
116 | "@sinonjs/text-encoding@^0.7.1":
117 | version "0.7.1"
118 | resolved "https://registry.yarnpkg.com/@sinonjs/text-encoding/-/text-encoding-0.7.1.tgz#8da5c6530915653f3a1f38fd5f101d8c3f8079c5"
119 | integrity sha512-+iTbntw2IZPb/anVDbypzfQa+ay64MW0Zo8aJ8gZPWMMK6/OubMVb6lUPMagqjOPnmtauXnFCACVl3O7ogjeqQ==
120 |
121 | "@types/normalize-package-data@^2.4.0":
122 | version "2.4.0"
123 | resolved "https://registry.yarnpkg.com/@types/normalize-package-data/-/normalize-package-data-2.4.0.tgz#e486d0d97396d79beedd0a6e33f4534ff6b4973e"
124 | integrity sha512-f5j5b/Gf71L+dbqxIpQ4Z2WlmI/mPJ0fOkGGmFgtb6sAu97EPczzbS3/tJKxmcYDj55OX6ssqwDAWOHIYDRDGA==
125 |
126 | accepts@~1.3.7:
127 | version "1.3.7"
128 | resolved "https://registry.yarnpkg.com/accepts/-/accepts-1.3.7.tgz#531bc726517a3b2b41f850021c6cc15eaab507cd"
129 | integrity sha512-Il80Qs2WjYlJIBNzNkK6KYqlVMTbZLXgHx2oT0pU/fjRHyEp+PEfEPY0R3WCwAGVOtauxh1hOxNgIf5bv7dQpA==
130 | dependencies:
131 | mime-types "~2.1.24"
132 | negotiator "0.6.2"
133 |
134 | acorn-jsx@^5.0.2:
135 | version "5.0.2"
136 | resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.0.2.tgz#84b68ea44b373c4f8686023a551f61a21b7c4a4f"
137 | integrity sha512-tiNTrP1MP0QrChmD2DdupCr6HWSFeKVw5d/dHTu4Y7rkAkRhU/Dt7dphAfIUyxtHpl/eBVip5uTNSpQJHylpAw==
138 |
139 | acorn@^7.0.0:
140 | version "7.1.0"
141 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-7.1.0.tgz#949d36f2c292535da602283586c2477c57eb2d6c"
142 | integrity sha512-kL5CuoXA/dgxlBbVrflsflzQ3PAas7RYZB52NOm/6839iVYJgKMJ3cQJD+t2i5+qFa8h3MDpEOJiS64E8JLnSQ==
143 |
144 | ajv@^6.10.0, ajv@^6.10.2, ajv@^6.5.5:
145 | version "6.10.2"
146 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.10.2.tgz#d3cea04d6b017b2894ad69040fec8b623eb4bd52"
147 | integrity sha512-TXtUUEYHuaTEbLZWIKUr5pmBuhDLy+8KYtPYdcV8qC+pOZL+NKqYwvWSRrVXHn+ZmRRAu8vJTAznH7Oag6RVRw==
148 | dependencies:
149 | fast-deep-equal "^2.0.1"
150 | fast-json-stable-stringify "^2.0.0"
151 | json-schema-traverse "^0.4.1"
152 | uri-js "^4.2.2"
153 |
154 | ansi-colors@3.2.3:
155 | version "3.2.3"
156 | resolved "https://registry.yarnpkg.com/ansi-colors/-/ansi-colors-3.2.3.tgz#57d35b8686e851e2cc04c403f1c00203976a1813"
157 | integrity sha512-LEHHyuhlPY3TmuUYMh2oz89lTShfvgbmzaBcxve9t/9Wuy7Dwf4yoAKcND7KFT1HAQfqZ12qtc+DUrBMeKF9nw==
158 |
159 | ansi-escapes@^3.2.0:
160 | version "3.2.0"
161 | resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-3.2.0.tgz#8780b98ff9dbf5638152d1f1fe5c1d7b4442976b"
162 | integrity sha512-cBhpre4ma+U0T1oM5fXg7Dy1Jw7zzwv7lt/GoCpr+hDQJoYnKVPLL4dCvSEFMmQurOQvSrwT7SL/DAlhBI97RQ==
163 |
164 | ansi-regex@^3.0.0:
165 | version "3.0.0"
166 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-3.0.0.tgz#ed0317c322064f79466c02966bddb605ab37d998"
167 | integrity sha1-7QMXwyIGT3lGbAKWa922Bas32Zg=
168 |
169 | ansi-regex@^4.1.0:
170 | version "4.1.0"
171 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-4.1.0.tgz#8b9f8f08cf1acb843756a839ca8c7e3168c51997"
172 | integrity sha512-1apePfXM1UOSqw0o9IiFAovVz9M5S1Dg+4TrDwfMewQ6p/rmMueb7tWZjQ1rx4Loy1ArBggoqGpfqqdI4rondg==
173 |
174 | ansi-styles@^3.2.0, ansi-styles@^3.2.1:
175 | version "3.2.1"
176 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-3.2.1.tgz#41fbb20243e50b12be0f04b8dedbf07520ce841d"
177 | integrity sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==
178 | dependencies:
179 | color-convert "^1.9.0"
180 |
181 | append-transform@^1.0.0:
182 | version "1.0.0"
183 | resolved "https://registry.yarnpkg.com/append-transform/-/append-transform-1.0.0.tgz#046a52ae582a228bd72f58acfbe2967c678759ab"
184 | integrity sha512-P009oYkeHyU742iSZJzZZywj4QRJdnTWffaKuJQLablCZ1uz6/cW4yaRgcDaoQ+uwOxxnt0gRUcwfsNP2ri0gw==
185 | dependencies:
186 | default-require-extensions "^2.0.0"
187 |
188 | archy@^1.0.0:
189 | version "1.0.0"
190 | resolved "https://registry.yarnpkg.com/archy/-/archy-1.0.0.tgz#f9c8c13757cc1dd7bc379ac77b2c62a5c2868c40"
191 | integrity sha1-+cjBN1fMHde8N5rHeyxipcKGjEA=
192 |
193 | argparse@^1.0.7:
194 | version "1.0.10"
195 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-1.0.10.tgz#bcd6791ea5ae09725e17e5ad988134cd40b3d911"
196 | integrity sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==
197 | dependencies:
198 | sprintf-js "~1.0.2"
199 |
200 | array-flatten@1.1.1:
201 | version "1.1.1"
202 | resolved "https://registry.yarnpkg.com/array-flatten/-/array-flatten-1.1.1.tgz#9a5f699051b1e7073328f2a008968b64ea2955d2"
203 | integrity sha1-ml9pkFGx5wczKPKgCJaLZOopVdI=
204 |
205 | array-from@^2.1.1:
206 | version "2.1.1"
207 | resolved "https://registry.yarnpkg.com/array-from/-/array-from-2.1.1.tgz#cfe9d8c26628b9dc5aecc62a9f5d8f1f352c1195"
208 | integrity sha1-z+nYwmYoudxa7MYqn12PHzUsEZU=
209 |
210 | array-includes@^3.0.3:
211 | version "3.0.3"
212 | resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.0.3.tgz#184b48f62d92d7452bb31b323165c7f8bd02266d"
213 | integrity sha1-GEtI9i2S10UrsxsyMWXH+L0CJm0=
214 | dependencies:
215 | define-properties "^1.1.2"
216 | es-abstract "^1.7.0"
217 |
218 | asn1@~0.2.3:
219 | version "0.2.4"
220 | resolved "https://registry.yarnpkg.com/asn1/-/asn1-0.2.4.tgz#8d2475dfab553bb33e77b54e59e880bb8ce23136"
221 | integrity sha512-jxwzQpLQjSmWXgwaCZE9Nz+glAG01yF1QnWgbhGwHI5A6FRIEY6IVqtHhIepHqI7/kyEyQEagBC5mBEFlIYvdg==
222 | dependencies:
223 | safer-buffer "~2.1.0"
224 |
225 | assert-plus@1.0.0, assert-plus@^1.0.0:
226 | version "1.0.0"
227 | resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-1.0.0.tgz#f12e0f3c5d77b0b1cdd9146942e4e96c1e4dd525"
228 | integrity sha1-8S4PPF13sLHN2RRpQuTpbB5N1SU=
229 |
230 | assertion-error@^1.1.0:
231 | version "1.1.0"
232 | resolved "https://registry.yarnpkg.com/assertion-error/-/assertion-error-1.1.0.tgz#e60b6b0e8f301bd97e5375215bda406c85118c0b"
233 | integrity sha512-jgsaNduz+ndvGyFt3uSuWqvy4lCnIJiovtouQN5JZHOKCS2QuhEdbcQHFhVksz2N2U9hXJo8odG7ETyWlEeuDw==
234 |
235 | astral-regex@^1.0.0:
236 | version "1.0.0"
237 | resolved "https://registry.yarnpkg.com/astral-regex/-/astral-regex-1.0.0.tgz#6c8c3fb827dd43ee3918f27b82782ab7658a6fd9"
238 | integrity sha512-+Ryf6g3BKoRc7jfp7ad8tM4TtMiaWvbF/1/sQcZPkkS7ag3D5nMBCe2UfOTONtAkaG0tO0ij3C5Lwmf1EiyjHg==
239 |
240 | asynckit@^0.4.0:
241 | version "0.4.0"
242 | resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79"
243 | integrity sha1-x57Zf380y48robyXkLzDZkdLS3k=
244 |
245 | aws-sign2@~0.7.0:
246 | version "0.7.0"
247 | resolved "https://registry.yarnpkg.com/aws-sign2/-/aws-sign2-0.7.0.tgz#b46e890934a9591f2d2f6f86d7e6a9f1b3fe76a8"
248 | integrity sha1-tG6JCTSpWR8tL2+G1+ap8bP+dqg=
249 |
250 | aws4@^1.8.0:
251 | version "1.8.0"
252 | resolved "https://registry.yarnpkg.com/aws4/-/aws4-1.8.0.tgz#f0e003d9ca9e7f59c7a508945d7b2ef9a04a542f"
253 | integrity sha512-ReZxvNHIOv88FlT7rxcXIIC0fPt4KZqZbOlivyWtXLt8ESx84zd3kMC6iK5jVeS2qt+g7ftS7ye4fi06X5rtRQ==
254 |
255 | axios@0.19.0:
256 | version "0.19.0"
257 | resolved "https://registry.yarnpkg.com/axios/-/axios-0.19.0.tgz#8e09bff3d9122e133f7b8101c8fbdd00ed3d2ab8"
258 | integrity sha512-1uvKqKQta3KBxIz14F2v06AEHZ/dIoeKfbTRkK1E5oqjDnuEerLmYTgJB5AiQZHJcljpg1TuRzdjDR06qNk0DQ==
259 | dependencies:
260 | follow-redirects "1.5.10"
261 | is-buffer "^2.0.2"
262 |
263 | balanced-match@^1.0.0:
264 | version "1.0.0"
265 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.0.tgz#89b4d199ab2bee49de164ea02b89ce462d71b767"
266 | integrity sha1-ibTRmasr7kneFk6gK4nORi1xt2c=
267 |
268 | bcrypt-pbkdf@^1.0.0:
269 | version "1.0.2"
270 | resolved "https://registry.yarnpkg.com/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.2.tgz#a4301d389b6a43f9b67ff3ca11a3f6637e360e9e"
271 | integrity sha1-pDAdOJtqQ/m2f/PKEaP2Y342Dp4=
272 | dependencies:
273 | tweetnacl "^0.14.3"
274 |
275 | body-parser@1.19.0, body-parser@^1.19.0:
276 | version "1.19.0"
277 | resolved "https://registry.yarnpkg.com/body-parser/-/body-parser-1.19.0.tgz#96b2709e57c9c4e09a6fd66a8fd979844f69f08a"
278 | integrity sha512-dhEPs72UPbDnAQJ9ZKMNTP6ptJaionhP5cBb541nXPlW60Jepo9RV/a4fX4XWW9CuFNK22krhrj1+rgzifNCsw==
279 | dependencies:
280 | bytes "3.1.0"
281 | content-type "~1.0.4"
282 | debug "2.6.9"
283 | depd "~1.1.2"
284 | http-errors "1.7.2"
285 | iconv-lite "0.4.24"
286 | on-finished "~2.3.0"
287 | qs "6.7.0"
288 | raw-body "2.4.0"
289 | type-is "~1.6.17"
290 |
291 | brace-expansion@^1.1.7:
292 | version "1.1.11"
293 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd"
294 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==
295 | dependencies:
296 | balanced-match "^1.0.0"
297 | concat-map "0.0.1"
298 |
299 | browser-stdout@1.3.1:
300 | version "1.3.1"
301 | resolved "https://registry.yarnpkg.com/browser-stdout/-/browser-stdout-1.3.1.tgz#baa559ee14ced73452229bad7326467c61fabd60"
302 | integrity sha512-qhAVI1+Av2X7qelOfAIYwXONood6XlZE/fXaBSmW/T5SzLAmCgzi+eiWE7fUvbHaeNBQH13UftjpXxsfLkMpgw==
303 |
304 | bytes@3.1.0:
305 | version "3.1.0"
306 | resolved "https://registry.yarnpkg.com/bytes/-/bytes-3.1.0.tgz#f6cf7933a360e0588fa9fde85651cdc7f805d1f6"
307 | integrity sha512-zauLjrfCG+xvoyaqLoV8bLVXXNGC4JqlxFCutSDWA6fJrTo2ZuvLYTqZ7aHBLZSMOopbzwv8f+wZcVzfVTI2Dg==
308 |
309 | caching-transform@^3.0.2:
310 | version "3.0.2"
311 | resolved "https://registry.yarnpkg.com/caching-transform/-/caching-transform-3.0.2.tgz#601d46b91eca87687a281e71cef99791b0efca70"
312 | integrity sha512-Mtgcv3lh3U0zRii/6qVgQODdPA4G3zhG+jtbCWj39RXuUFTMzH0vcdMtaJS1jPowd+It2Pqr6y3NJMQqOqCE2w==
313 | dependencies:
314 | hasha "^3.0.0"
315 | make-dir "^2.0.0"
316 | package-hash "^3.0.0"
317 | write-file-atomic "^2.4.2"
318 |
319 | caller-callsite@^2.0.0:
320 | version "2.0.0"
321 | resolved "https://registry.yarnpkg.com/caller-callsite/-/caller-callsite-2.0.0.tgz#847e0fce0a223750a9a027c54b33731ad3154134"
322 | integrity sha1-hH4PzgoiN1CpoCfFSzNzGtMVQTQ=
323 | dependencies:
324 | callsites "^2.0.0"
325 |
326 | caller-path@^2.0.0:
327 | version "2.0.0"
328 | resolved "https://registry.yarnpkg.com/caller-path/-/caller-path-2.0.0.tgz#468f83044e369ab2010fac5f06ceee15bb2cb1f4"
329 | integrity sha1-Ro+DBE42mrIBD6xfBs7uFbsssfQ=
330 | dependencies:
331 | caller-callsite "^2.0.0"
332 |
333 | callsites@^2.0.0:
334 | version "2.0.0"
335 | resolved "https://registry.yarnpkg.com/callsites/-/callsites-2.0.0.tgz#06eb84f00eea413da86affefacbffb36093b3c50"
336 | integrity sha1-BuuE8A7qQT2oav/vrL/7Ngk7PFA=
337 |
338 | callsites@^3.0.0:
339 | version "3.1.0"
340 | resolved "https://registry.yarnpkg.com/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73"
341 | integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==
342 |
343 | camelcase@^5.0.0:
344 | version "5.3.1"
345 | resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-5.3.1.tgz#e3c9b31569e106811df242f715725a1f4c494320"
346 | integrity sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==
347 |
348 | caseless@~0.12.0:
349 | version "0.12.0"
350 | resolved "https://registry.yarnpkg.com/caseless/-/caseless-0.12.0.tgz#1b681c21ff84033c826543090689420d187151dc"
351 | integrity sha1-G2gcIf+EAzyCZUMJBolCDRhxUdw=
352 |
353 | chai@^4.2.0:
354 | version "4.2.0"
355 | resolved "https://registry.yarnpkg.com/chai/-/chai-4.2.0.tgz#760aa72cf20e3795e84b12877ce0e83737aa29e5"
356 | integrity sha512-XQU3bhBukrOsQCuwZndwGcCVQHyZi53fQ6Ys1Fym7E4olpIqqZZhhoFJoaKVvV17lWQoXYwgWN2nF5crA8J2jw==
357 | dependencies:
358 | assertion-error "^1.1.0"
359 | check-error "^1.0.2"
360 | deep-eql "^3.0.1"
361 | get-func-name "^2.0.0"
362 | pathval "^1.1.0"
363 | type-detect "^4.0.5"
364 |
365 | chalk@^2.0.0, chalk@^2.0.1, chalk@^2.1.0, chalk@^2.4.2:
366 | version "2.4.2"
367 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424"
368 | integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==
369 | dependencies:
370 | ansi-styles "^3.2.1"
371 | escape-string-regexp "^1.0.5"
372 | supports-color "^5.3.0"
373 |
374 | chardet@^0.7.0:
375 | version "0.7.0"
376 | resolved "https://registry.yarnpkg.com/chardet/-/chardet-0.7.0.tgz#90094849f0937f2eedc2425d0d28a9e5f0cbad9e"
377 | integrity sha512-mT8iDcrh03qDGRRmoA2hmBJnxpllMR+0/0qlzjqZES6NdiWDcZkCNAk4rPFZ9Q85r27unkiNNg8ZOiwZXBHwcA==
378 |
379 | check-error@^1.0.2:
380 | version "1.0.2"
381 | resolved "https://registry.yarnpkg.com/check-error/-/check-error-1.0.2.tgz#574d312edd88bb5dd8912e9286dd6c0aed4aac82"
382 | integrity sha1-V00xLt2Iu13YkS6Sht1sCu1KrII=
383 |
384 | ci-info@^2.0.0:
385 | version "2.0.0"
386 | resolved "https://registry.yarnpkg.com/ci-info/-/ci-info-2.0.0.tgz#67a9e964be31a51e15e5010d58e6f12834002f46"
387 | integrity sha512-5tK7EtrZ0N+OLFMthtqOj4fI2Jeb88C4CAZPu25LDVUgXJ0A3Js4PMGqrn0JU1W0Mh1/Z8wZzYPxqUrXeBboCQ==
388 |
389 | cli-cursor@^2.1.0:
390 | version "2.1.0"
391 | resolved "https://registry.yarnpkg.com/cli-cursor/-/cli-cursor-2.1.0.tgz#b35dac376479facc3e94747d41d0d0f5238ffcb5"
392 | integrity sha1-s12sN2R5+sw+lHR9QdDQ9SOP/LU=
393 | dependencies:
394 | restore-cursor "^2.0.0"
395 |
396 | cli-width@^2.0.0:
397 | version "2.2.0"
398 | resolved "https://registry.yarnpkg.com/cli-width/-/cli-width-2.2.0.tgz#ff19ede8a9a5e579324147b0c11f0fbcbabed639"
399 | integrity sha1-/xnt6Kml5XkyQUewwR8PvLq+1jk=
400 |
401 | cliui@^5.0.0:
402 | version "5.0.0"
403 | resolved "https://registry.yarnpkg.com/cliui/-/cliui-5.0.0.tgz#deefcfdb2e800784aa34f46fa08e06851c7bbbc5"
404 | integrity sha512-PYeGSEmmHM6zvoef2w8TPzlrnNpXIjTipYK780YswmIP9vjxmd6Y2a3CB2Ks6/AU8NHjZugXvo8w3oWM2qnwXA==
405 | dependencies:
406 | string-width "^3.1.0"
407 | strip-ansi "^5.2.0"
408 | wrap-ansi "^5.1.0"
409 |
410 | color-convert@^1.9.0:
411 | version "1.9.3"
412 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-1.9.3.tgz#bb71850690e1f136567de629d2d5471deda4c1e8"
413 | integrity sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==
414 | dependencies:
415 | color-name "1.1.3"
416 |
417 | color-name@1.1.3:
418 | version "1.1.3"
419 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25"
420 | integrity sha1-p9BVi9icQveV3UIyj3QIMcpTvCU=
421 |
422 | combined-stream@^1.0.6, combined-stream@~1.0.6:
423 | version "1.0.8"
424 | resolved "https://registry.yarnpkg.com/combined-stream/-/combined-stream-1.0.8.tgz#c3d45a8b34fd730631a110a8a2520682b31d5a7f"
425 | integrity sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==
426 | dependencies:
427 | delayed-stream "~1.0.0"
428 |
429 | commander@~2.20.0:
430 | version "2.20.1"
431 | resolved "https://registry.yarnpkg.com/commander/-/commander-2.20.1.tgz#3863ce3ca92d0831dcf2a102f5fb4b5926afd0f9"
432 | integrity sha512-cCuLsMhJeWQ/ZpsFTbE765kvVfoeSddc4nU3up4fV+fDBcfUXnbITJ+JzhkdjzOqhURjZgujxaioam4RM9yGUg==
433 |
434 | commondir@^1.0.1:
435 | version "1.0.1"
436 | resolved "https://registry.yarnpkg.com/commondir/-/commondir-1.0.1.tgz#ddd800da0c66127393cca5950ea968a3aaf1253b"
437 | integrity sha1-3dgA2gxmEnOTzKWVDqloo6rxJTs=
438 |
439 | concat-map@0.0.1:
440 | version "0.0.1"
441 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
442 | integrity sha1-2Klr13/Wjfd5OnMDajug1UBdR3s=
443 |
444 | confusing-browser-globals@^1.0.7:
445 | version "1.0.9"
446 | resolved "https://registry.yarnpkg.com/confusing-browser-globals/-/confusing-browser-globals-1.0.9.tgz#72bc13b483c0276801681871d4898516f8f54fdd"
447 | integrity sha512-KbS1Y0jMtyPgIxjO7ZzMAuUpAKMt1SzCL9fsrKsX6b0zJPTaT0SiSPmewwVZg9UAO83HVIlEhZF84LIjZ0lmAw==
448 |
449 | contains-path@^0.1.0:
450 | version "0.1.0"
451 | resolved "https://registry.yarnpkg.com/contains-path/-/contains-path-0.1.0.tgz#fe8cf184ff6670b6baef01a9d4861a5cbec4120a"
452 | integrity sha1-/ozxhP9mcLa67wGp1IYaXL7EEgo=
453 |
454 | content-disposition@0.5.3:
455 | version "0.5.3"
456 | resolved "https://registry.yarnpkg.com/content-disposition/-/content-disposition-0.5.3.tgz#e130caf7e7279087c5616c2007d0485698984fbd"
457 | integrity sha512-ExO0774ikEObIAEV9kDo50o+79VCUdEB6n6lzKgGwupcVeRlhrj3qGAfwq8G6uBJjkqLrhT0qEYFcWng8z1z0g==
458 | dependencies:
459 | safe-buffer "5.1.2"
460 |
461 | content-type@~1.0.4:
462 | version "1.0.4"
463 | resolved "https://registry.yarnpkg.com/content-type/-/content-type-1.0.4.tgz#e138cc75e040c727b1966fe5e5f8c9aee256fe3b"
464 | integrity sha512-hIP3EEPs8tB9AT1L+NUqtwOAps4mk2Zob89MWXMHjHWg9milF/j4osnnQLXBCBFBk/tvIG/tUc9mOUJiPBhPXA==
465 |
466 | convert-source-map@^1.6.0:
467 | version "1.6.0"
468 | resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-1.6.0.tgz#51b537a8c43e0f04dec1993bffcdd504e758ac20"
469 | integrity sha512-eFu7XigvxdZ1ETfbgPBohgyQ/Z++C0eEhTor0qRwBw9unw+L0/6V8wkSuGgzdThkiS5lSpdptOQPD8Ak40a+7A==
470 | dependencies:
471 | safe-buffer "~5.1.1"
472 |
473 | cookie-signature@1.0.6:
474 | version "1.0.6"
475 | resolved "https://registry.yarnpkg.com/cookie-signature/-/cookie-signature-1.0.6.tgz#e303a882b342cc3ee8ca513a79999734dab3ae2c"
476 | integrity sha1-4wOogrNCzD7oylE6eZmXNNqzriw=
477 |
478 | cookie@0.4.0:
479 | version "0.4.0"
480 | resolved "https://registry.yarnpkg.com/cookie/-/cookie-0.4.0.tgz#beb437e7022b3b6d49019d088665303ebe9c14ba"
481 | integrity sha512-+Hp8fLp57wnUSt0tY0tHEXh4voZRDnoIrZPqlo3DPiI4y9lwg/jqx+1Om94/W6ZaPDOUbnjOt/99w66zk+l1Xg==
482 |
483 | core-util-is@1.0.2:
484 | version "1.0.2"
485 | resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7"
486 | integrity sha1-tf1UIgqivFq1eqtxQMlAdUUDwac=
487 |
488 | cosmiconfig@^5.2.1:
489 | version "5.2.1"
490 | resolved "https://registry.yarnpkg.com/cosmiconfig/-/cosmiconfig-5.2.1.tgz#040f726809c591e77a17c0a3626ca45b4f168b1a"
491 | integrity sha512-H65gsXo1SKjf8zmrJ67eJk8aIRKV5ff2D4uKZIBZShbhGSpEmsQOPW/SKMKYhSTrqR7ufy6RP69rPogdaPh/kA==
492 | dependencies:
493 | import-fresh "^2.0.0"
494 | is-directory "^0.3.1"
495 | js-yaml "^3.13.1"
496 | parse-json "^4.0.0"
497 |
498 | coveralls@^3.0.7:
499 | version "3.0.7"
500 | resolved "https://registry.yarnpkg.com/coveralls/-/coveralls-3.0.7.tgz#1eca48e47976e9573d6a2f18b97c2fea4026f34a"
501 | integrity sha512-mUuH2MFOYB2oBaA4D4Ykqi9LaEYpMMlsiOMJOrv358yAjP6enPIk55fod2fNJ8AvwoYXStWQls37rA+s5e7boA==
502 | dependencies:
503 | growl "~> 1.10.0"
504 | js-yaml "^3.13.1"
505 | lcov-parse "^0.0.10"
506 | log-driver "^1.2.7"
507 | minimist "^1.2.0"
508 | request "^2.86.0"
509 |
510 | cp-file@^6.2.0:
511 | version "6.2.0"
512 | resolved "https://registry.yarnpkg.com/cp-file/-/cp-file-6.2.0.tgz#40d5ea4a1def2a9acdd07ba5c0b0246ef73dc10d"
513 | integrity sha512-fmvV4caBnofhPe8kOcitBwSn2f39QLjnAnGq3gO9dfd75mUytzKNZB1hde6QHunW2Rt+OwuBOMc3i1tNElbszA==
514 | dependencies:
515 | graceful-fs "^4.1.2"
516 | make-dir "^2.0.0"
517 | nested-error-stacks "^2.0.0"
518 | pify "^4.0.1"
519 | safe-buffer "^5.0.1"
520 |
521 | cross-spawn@^4:
522 | version "4.0.2"
523 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-4.0.2.tgz#7b9247621c23adfdd3856004a823cbe397424d41"
524 | integrity sha1-e5JHYhwjrf3ThWAEqCPL45dCTUE=
525 | dependencies:
526 | lru-cache "^4.0.1"
527 | which "^1.2.9"
528 |
529 | cross-spawn@^6.0.0, cross-spawn@^6.0.5:
530 | version "6.0.5"
531 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-6.0.5.tgz#4a5ec7c64dfae22c3a14124dbacdee846d80cbc4"
532 | integrity sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==
533 | dependencies:
534 | nice-try "^1.0.4"
535 | path-key "^2.0.1"
536 | semver "^5.5.0"
537 | shebang-command "^1.2.0"
538 | which "^1.2.9"
539 |
540 | dashdash@^1.12.0:
541 | version "1.14.1"
542 | resolved "https://registry.yarnpkg.com/dashdash/-/dashdash-1.14.1.tgz#853cfa0f7cbe2fed5de20326b8dd581035f6e2f0"
543 | integrity sha1-hTz6D3y+L+1d4gMmuN1YEDX24vA=
544 | dependencies:
545 | assert-plus "^1.0.0"
546 |
547 | debug@2.6.9, debug@^2.6.8, debug@^2.6.9:
548 | version "2.6.9"
549 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f"
550 | integrity sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==
551 | dependencies:
552 | ms "2.0.0"
553 |
554 | debug@3.2.6:
555 | version "3.2.6"
556 | resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.6.tgz#e83d17de16d8a7efb7717edbe5fb10135eee629b"
557 | integrity sha512-mel+jf7nrtEl5Pn1Qx46zARXKDpBbvzezse7p7LqINmdoIk8PYP5SySaxEmYv6TZ0JyEKA1hsCId6DIhgITtWQ==
558 | dependencies:
559 | ms "^2.1.1"
560 |
561 | debug@=3.1.0:
562 | version "3.1.0"
563 | resolved "https://registry.yarnpkg.com/debug/-/debug-3.1.0.tgz#5bb5a0672628b64149566ba16819e61518c67261"
564 | integrity sha512-OX8XqP7/1a9cqkxYw2yXss15f26NKWBpDXQd0/uK/KPqdQhxbPa994hnzjcE2VqQpDslf55723cKPUOGSmMY3g==
565 | dependencies:
566 | ms "2.0.0"
567 |
568 | debug@^4.0.1, debug@^4.1.0, debug@^4.1.1:
569 | version "4.1.1"
570 | resolved "https://registry.yarnpkg.com/debug/-/debug-4.1.1.tgz#3b72260255109c6b589cee050f1d516139664791"
571 | integrity sha512-pYAIzeRo8J6KPEaJ0VWOh5Pzkbw/RetuzehGM7QRRX5he4fPHx2rdKMB256ehJCkX+XRQm16eZLqLNS8RSZXZw==
572 | dependencies:
573 | ms "^2.1.1"
574 |
575 | decamelize@^1.2.0:
576 | version "1.2.0"
577 | resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-1.2.0.tgz#f6534d15148269b20352e7bee26f501f9a191290"
578 | integrity sha1-9lNNFRSCabIDUue+4m9QH5oZEpA=
579 |
580 | deep-eql@^3.0.1:
581 | version "3.0.1"
582 | resolved "https://registry.yarnpkg.com/deep-eql/-/deep-eql-3.0.1.tgz#dfc9404400ad1c8fe023e7da1df1c147c4b444df"
583 | integrity sha512-+QeIQyN5ZuO+3Uk5DYh6/1eKO0m0YmJFGNmFHGACpf1ClL1nmlV/p4gNgbl2pJGxgXb4faqo6UE+M5ACEMyVcw==
584 | dependencies:
585 | type-detect "^4.0.0"
586 |
587 | deep-is@~0.1.3:
588 | version "0.1.3"
589 | resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.3.tgz#b369d6fb5dbc13eecf524f91b070feedc357cf34"
590 | integrity sha1-s2nW+128E+7PUk+RsHD+7cNXzzQ=
591 |
592 | default-require-extensions@^2.0.0:
593 | version "2.0.0"
594 | resolved "https://registry.yarnpkg.com/default-require-extensions/-/default-require-extensions-2.0.0.tgz#f5f8fbb18a7d6d50b21f641f649ebb522cfe24f7"
595 | integrity sha1-9fj7sYp9bVCyH2QfZJ67Uiz+JPc=
596 | dependencies:
597 | strip-bom "^3.0.0"
598 |
599 | define-properties@^1.1.2, define-properties@^1.1.3:
600 | version "1.1.3"
601 | resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.1.3.tgz#cf88da6cbee26fe6db7094f61d870cbd84cee9f1"
602 | integrity sha512-3MqfYKj2lLzdMSf8ZIZE/V+Zuy+BgD6f164e8K2w7dgnpKArBDerGYpM46IYYcjnkdPNMjPk9A6VFB8+3SKlXQ==
603 | dependencies:
604 | object-keys "^1.0.12"
605 |
606 | delayed-stream@~1.0.0:
607 | version "1.0.0"
608 | resolved "https://registry.yarnpkg.com/delayed-stream/-/delayed-stream-1.0.0.tgz#df3ae199acadfb7d440aaae0b29e2272b24ec619"
609 | integrity sha1-3zrhmayt+31ECqrgsp4icrJOxhk=
610 |
611 | depd@~1.1.2:
612 | version "1.1.2"
613 | resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.2.tgz#9bcd52e14c097763e749b274c4346ed2e560b5a9"
614 | integrity sha1-m81S4UwJd2PnSbJ0xDRu0uVgtak=
615 |
616 | destroy@~1.0.4:
617 | version "1.0.4"
618 | resolved "https://registry.yarnpkg.com/destroy/-/destroy-1.0.4.tgz#978857442c44749e4206613e37946205826abd80"
619 | integrity sha1-l4hXRCxEdJ5CBmE+N5RiBYJqvYA=
620 |
621 | diff@3.5.0, diff@^3.5.0:
622 | version "3.5.0"
623 | resolved "https://registry.yarnpkg.com/diff/-/diff-3.5.0.tgz#800c0dd1e0a8bfbc95835c202ad220fe317e5a12"
624 | integrity sha512-A46qtFgd+g7pDZinpnwiRJtxbC1hpgf0uzP3iG89scHk0AUC7A1TGxf5OiiOUv/JMZR8GOt8hL900hV0bOy5xA==
625 |
626 | doctrine@1.5.0:
627 | version "1.5.0"
628 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-1.5.0.tgz#379dce730f6166f76cefa4e6707a159b02c5a6fa"
629 | integrity sha1-N53Ocw9hZvds76TmcHoVmwLFpvo=
630 | dependencies:
631 | esutils "^2.0.2"
632 | isarray "^1.0.0"
633 |
634 | doctrine@^3.0.0:
635 | version "3.0.0"
636 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-3.0.0.tgz#addebead72a6574db783639dc87a121773973961"
637 | integrity sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==
638 | dependencies:
639 | esutils "^2.0.2"
640 |
641 | ecc-jsbn@~0.1.1:
642 | version "0.1.2"
643 | resolved "https://registry.yarnpkg.com/ecc-jsbn/-/ecc-jsbn-0.1.2.tgz#3a83a904e54353287874c564b7549386849a98c9"
644 | integrity sha1-OoOpBOVDUyh4dMVkt1SThoSamMk=
645 | dependencies:
646 | jsbn "~0.1.0"
647 | safer-buffer "^2.1.0"
648 |
649 | ee-first@1.1.1:
650 | version "1.1.1"
651 | resolved "https://registry.yarnpkg.com/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d"
652 | integrity sha1-WQxhFWsK4vTwJVcyoViyZrxWsh0=
653 |
654 | emoji-regex@^7.0.1:
655 | version "7.0.3"
656 | resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-7.0.3.tgz#933a04052860c85e83c122479c4748a8e4c72156"
657 | integrity sha512-CwBLREIQ7LvYFB0WyRvwhq5N5qPhc6PMjD6bYggFlI5YyDgl+0vxq5VHbMOFqLg7hfWzmu8T5Z1QofhmTIhItA==
658 |
659 | encodeurl@~1.0.2:
660 | version "1.0.2"
661 | resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.2.tgz#ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59"
662 | integrity sha1-rT/0yG7C0CkyL1oCw6mmBslbP1k=
663 |
664 | end-of-stream@^1.1.0:
665 | version "1.4.4"
666 | resolved "https://registry.yarnpkg.com/end-of-stream/-/end-of-stream-1.4.4.tgz#5ae64a5f45057baf3626ec14da0ca5e4b2431eb0"
667 | integrity sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==
668 | dependencies:
669 | once "^1.4.0"
670 |
671 | error-ex@^1.2.0, error-ex@^1.3.1:
672 | version "1.3.2"
673 | resolved "https://registry.yarnpkg.com/error-ex/-/error-ex-1.3.2.tgz#b4ac40648107fdcdcfae242f428bea8a14d4f1bf"
674 | integrity sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==
675 | dependencies:
676 | is-arrayish "^0.2.1"
677 |
678 | es-abstract@^1.12.0, es-abstract@^1.5.1, es-abstract@^1.7.0:
679 | version "1.14.2"
680 | resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.14.2.tgz#7ce108fad83068c8783c3cdf62e504e084d8c497"
681 | integrity sha512-DgoQmbpFNOofkjJtKwr87Ma5EW4Dc8fWhD0R+ndq7Oc456ivUfGOOP6oAZTTKl5/CcNMP+EN+e3/iUzgE0veZg==
682 | dependencies:
683 | es-to-primitive "^1.2.0"
684 | function-bind "^1.1.1"
685 | has "^1.0.3"
686 | has-symbols "^1.0.0"
687 | is-callable "^1.1.4"
688 | is-regex "^1.0.4"
689 | object-inspect "^1.6.0"
690 | object-keys "^1.1.1"
691 | string.prototype.trimleft "^2.0.0"
692 | string.prototype.trimright "^2.0.0"
693 |
694 | es-to-primitive@^1.2.0:
695 | version "1.2.0"
696 | resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.2.0.tgz#edf72478033456e8dda8ef09e00ad9650707f377"
697 | integrity sha512-qZryBOJjV//LaxLTV6UC//WewneB3LcXOL9NP++ozKVXsIIIpm/2c13UDiD9Jp2eThsecw9m3jPqDwTyobcdbg==
698 | dependencies:
699 | is-callable "^1.1.4"
700 | is-date-object "^1.0.1"
701 | is-symbol "^1.0.2"
702 |
703 | es6-error@^4.0.1:
704 | version "4.1.1"
705 | resolved "https://registry.yarnpkg.com/es6-error/-/es6-error-4.1.1.tgz#9e3af407459deed47e9a91f9b885a84eb05c561d"
706 | integrity sha512-Um/+FxMr9CISWh0bi5Zv0iOD+4cFh5qLeks1qhAopKVAJw3drgKbKySikp7wGhDL0HPeaja0P5ULZrxLkniUVg==
707 |
708 | escape-html@~1.0.3:
709 | version "1.0.3"
710 | resolved "https://registry.yarnpkg.com/escape-html/-/escape-html-1.0.3.tgz#0258eae4d3d0c0974de1c169188ef0051d1d1988"
711 | integrity sha1-Aljq5NPQwJdN4cFpGI7wBR0dGYg=
712 |
713 | escape-string-regexp@1.0.5, escape-string-regexp@^1.0.5:
714 | version "1.0.5"
715 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4"
716 | integrity sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ=
717 |
718 | eslint-config-airbnb-base@^14.0.0:
719 | version "14.0.0"
720 | resolved "https://registry.yarnpkg.com/eslint-config-airbnb-base/-/eslint-config-airbnb-base-14.0.0.tgz#8a7bcb9643d13c55df4dd7444f138bf4efa61e17"
721 | integrity sha512-2IDHobw97upExLmsebhtfoD3NAKhV4H0CJWP3Uprd/uk+cHuWYOczPVxQ8PxLFUAw7o3Th1RAU8u1DoUpr+cMA==
722 | dependencies:
723 | confusing-browser-globals "^1.0.7"
724 | object.assign "^4.1.0"
725 | object.entries "^1.1.0"
726 |
727 | eslint-import-resolver-node@^0.3.2:
728 | version "0.3.2"
729 | resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.2.tgz#58f15fb839b8d0576ca980413476aab2472db66a"
730 | integrity sha512-sfmTqJfPSizWu4aymbPr4Iidp5yKm8yDkHp+Ir3YiTHiiDfxh69mOUsmiqW6RZ9zRXFaF64GtYmN7e+8GHBv6Q==
731 | dependencies:
732 | debug "^2.6.9"
733 | resolve "^1.5.0"
734 |
735 | eslint-module-utils@^2.4.0:
736 | version "2.4.1"
737 | resolved "https://registry.yarnpkg.com/eslint-module-utils/-/eslint-module-utils-2.4.1.tgz#7b4675875bf96b0dbf1b21977456e5bb1f5e018c"
738 | integrity sha512-H6DOj+ejw7Tesdgbfs4jeS4YMFrT8uI8xwd1gtQqXssaR0EQ26L+2O/w6wkYFy2MymON0fTwHmXBvvfLNZVZEw==
739 | dependencies:
740 | debug "^2.6.8"
741 | pkg-dir "^2.0.0"
742 |
743 | eslint-plugin-import@^2.18.2:
744 | version "2.18.2"
745 | resolved "https://registry.yarnpkg.com/eslint-plugin-import/-/eslint-plugin-import-2.18.2.tgz#02f1180b90b077b33d447a17a2326ceb400aceb6"
746 | integrity sha512-5ohpsHAiUBRNaBWAF08izwUGlbrJoJJ+W9/TBwsGoR1MnlgfwMIKrFeSjWbt6moabiXW9xNvtFz+97KHRfI4HQ==
747 | dependencies:
748 | array-includes "^3.0.3"
749 | contains-path "^0.1.0"
750 | debug "^2.6.9"
751 | doctrine "1.5.0"
752 | eslint-import-resolver-node "^0.3.2"
753 | eslint-module-utils "^2.4.0"
754 | has "^1.0.3"
755 | minimatch "^3.0.4"
756 | object.values "^1.1.0"
757 | read-pkg-up "^2.0.0"
758 | resolve "^1.11.0"
759 |
760 | eslint-scope@^5.0.0:
761 | version "5.0.0"
762 | resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-5.0.0.tgz#e87c8887c73e8d1ec84f1ca591645c358bfc8fb9"
763 | integrity sha512-oYrhJW7S0bxAFDvWqzvMPRm6pcgcnWc4QnofCAqRTRfQC0JcwenzGglTtsLyIuuWFfkqDG9vz67cnttSd53djw==
764 | dependencies:
765 | esrecurse "^4.1.0"
766 | estraverse "^4.1.1"
767 |
768 | eslint-utils@^1.4.2:
769 | version "1.4.2"
770 | resolved "https://registry.yarnpkg.com/eslint-utils/-/eslint-utils-1.4.2.tgz#166a5180ef6ab7eb462f162fd0e6f2463d7309ab"
771 | integrity sha512-eAZS2sEUMlIeCjBeubdj45dmBHQwPHWyBcT1VSYB7o9x9WRRqKxyUoiXlRjyAwzN7YEzHJlYg0NmzDRWx6GP4Q==
772 | dependencies:
773 | eslint-visitor-keys "^1.0.0"
774 |
775 | eslint-visitor-keys@^1.0.0, eslint-visitor-keys@^1.1.0:
776 | version "1.1.0"
777 | resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-1.1.0.tgz#e2a82cea84ff246ad6fb57f9bde5b46621459ec2"
778 | integrity sha512-8y9YjtM1JBJU/A9Kc+SbaOV4y29sSWckBwMHa+FGtVj5gN/sbnKDf6xJUl+8g7FAij9LVaP8C24DUiH/f/2Z9A==
779 |
780 | eslint@^6.5.1:
781 | version "6.5.1"
782 | resolved "https://registry.yarnpkg.com/eslint/-/eslint-6.5.1.tgz#828e4c469697d43bb586144be152198b91e96ed6"
783 | integrity sha512-32h99BoLYStT1iq1v2P9uwpyznQ4M2jRiFB6acitKz52Gqn+vPaMDUTB1bYi1WN4Nquj2w+t+bimYUG83DC55A==
784 | dependencies:
785 | "@babel/code-frame" "^7.0.0"
786 | ajv "^6.10.0"
787 | chalk "^2.1.0"
788 | cross-spawn "^6.0.5"
789 | debug "^4.0.1"
790 | doctrine "^3.0.0"
791 | eslint-scope "^5.0.0"
792 | eslint-utils "^1.4.2"
793 | eslint-visitor-keys "^1.1.0"
794 | espree "^6.1.1"
795 | esquery "^1.0.1"
796 | esutils "^2.0.2"
797 | file-entry-cache "^5.0.1"
798 | functional-red-black-tree "^1.0.1"
799 | glob-parent "^5.0.0"
800 | globals "^11.7.0"
801 | ignore "^4.0.6"
802 | import-fresh "^3.0.0"
803 | imurmurhash "^0.1.4"
804 | inquirer "^6.4.1"
805 | is-glob "^4.0.0"
806 | js-yaml "^3.13.1"
807 | json-stable-stringify-without-jsonify "^1.0.1"
808 | levn "^0.3.0"
809 | lodash "^4.17.14"
810 | minimatch "^3.0.4"
811 | mkdirp "^0.5.1"
812 | natural-compare "^1.4.0"
813 | optionator "^0.8.2"
814 | progress "^2.0.0"
815 | regexpp "^2.0.1"
816 | semver "^6.1.2"
817 | strip-ansi "^5.2.0"
818 | strip-json-comments "^3.0.1"
819 | table "^5.2.3"
820 | text-table "^0.2.0"
821 | v8-compile-cache "^2.0.3"
822 |
823 | espree@^6.1.1:
824 | version "6.1.1"
825 | resolved "https://registry.yarnpkg.com/espree/-/espree-6.1.1.tgz#7f80e5f7257fc47db450022d723e356daeb1e5de"
826 | integrity sha512-EYbr8XZUhWbYCqQRW0duU5LxzL5bETN6AjKBGy1302qqzPaCH10QbRg3Wvco79Z8x9WbiE8HYB4e75xl6qUYvQ==
827 | dependencies:
828 | acorn "^7.0.0"
829 | acorn-jsx "^5.0.2"
830 | eslint-visitor-keys "^1.1.0"
831 |
832 | esprima@^4.0.0:
833 | version "4.0.1"
834 | resolved "https://registry.yarnpkg.com/esprima/-/esprima-4.0.1.tgz#13b04cdb3e6c5d19df91ab6987a8695619b0aa71"
835 | integrity sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==
836 |
837 | esquery@^1.0.1:
838 | version "1.0.1"
839 | resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.0.1.tgz#406c51658b1f5991a5f9b62b1dc25b00e3e5c708"
840 | integrity sha512-SmiyZ5zIWH9VM+SRUReLS5Q8a7GxtRdxEBVZpm98rJM7Sb+A9DVCndXfkeFUd3byderg+EbDkfnevfCwynWaNA==
841 | dependencies:
842 | estraverse "^4.0.0"
843 |
844 | esrecurse@^4.1.0:
845 | version "4.2.1"
846 | resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.2.1.tgz#007a3b9fdbc2b3bb87e4879ea19c92fdbd3942cf"
847 | integrity sha512-64RBB++fIOAXPw3P9cy89qfMlvZEXZkqqJkjqqXIvzP5ezRZjW+lPWjw35UX/3EhUPFYbg5ER4JYgDw4007/DQ==
848 | dependencies:
849 | estraverse "^4.1.0"
850 |
851 | estraverse@^4.0.0, estraverse@^4.1.0, estraverse@^4.1.1:
852 | version "4.3.0"
853 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.3.0.tgz#398ad3f3c5a24948be7725e83d11a7de28cdbd1d"
854 | integrity sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==
855 |
856 | esutils@^2.0.2:
857 | version "2.0.3"
858 | resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64"
859 | integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==
860 |
861 | etag@~1.8.1:
862 | version "1.8.1"
863 | resolved "https://registry.yarnpkg.com/etag/-/etag-1.8.1.tgz#41ae2eeb65efa62268aebfea83ac7d79299b0887"
864 | integrity sha1-Qa4u62XvpiJorr/qg6x9eSmbCIc=
865 |
866 | execa@^1.0.0:
867 | version "1.0.0"
868 | resolved "https://registry.yarnpkg.com/execa/-/execa-1.0.0.tgz#c6236a5bb4df6d6f15e88e7f017798216749ddd8"
869 | integrity sha512-adbxcyWV46qiHyvSp50TKt05tB4tK3HcmF7/nxfAdhnox83seTDbwnaqKO4sXRy7roHAIFqJP/Rw/AuEbX61LA==
870 | dependencies:
871 | cross-spawn "^6.0.0"
872 | get-stream "^4.0.0"
873 | is-stream "^1.1.0"
874 | npm-run-path "^2.0.0"
875 | p-finally "^1.0.0"
876 | signal-exit "^3.0.0"
877 | strip-eof "^1.0.0"
878 |
879 | express@^4.17.1:
880 | version "4.17.1"
881 | resolved "https://registry.yarnpkg.com/express/-/express-4.17.1.tgz#4491fc38605cf51f8629d39c2b5d026f98a4c134"
882 | integrity sha512-mHJ9O79RqluphRrcw2X/GTh3k9tVv8YcoyY4Kkh4WDMUYKRZUq0h1o0w2rrrxBqM7VoeUVqgb27xlEMXTnYt4g==
883 | dependencies:
884 | accepts "~1.3.7"
885 | array-flatten "1.1.1"
886 | body-parser "1.19.0"
887 | content-disposition "0.5.3"
888 | content-type "~1.0.4"
889 | cookie "0.4.0"
890 | cookie-signature "1.0.6"
891 | debug "2.6.9"
892 | depd "~1.1.2"
893 | encodeurl "~1.0.2"
894 | escape-html "~1.0.3"
895 | etag "~1.8.1"
896 | finalhandler "~1.1.2"
897 | fresh "0.5.2"
898 | merge-descriptors "1.0.1"
899 | methods "~1.1.2"
900 | on-finished "~2.3.0"
901 | parseurl "~1.3.3"
902 | path-to-regexp "0.1.7"
903 | proxy-addr "~2.0.5"
904 | qs "6.7.0"
905 | range-parser "~1.2.1"
906 | safe-buffer "5.1.2"
907 | send "0.17.1"
908 | serve-static "1.14.1"
909 | setprototypeof "1.1.1"
910 | statuses "~1.5.0"
911 | type-is "~1.6.18"
912 | utils-merge "1.0.1"
913 | vary "~1.1.2"
914 |
915 | extend@~3.0.2:
916 | version "3.0.2"
917 | resolved "https://registry.yarnpkg.com/extend/-/extend-3.0.2.tgz#f8b1136b4071fbd8eb140aff858b1019ec2915fa"
918 | integrity sha512-fjquC59cD7CyW6urNXK0FBufkZcoiGG80wTuPujX590cB5Ttln20E2UB4S/WARVqhXffZl2LNgS+gQdPIIim/g==
919 |
920 | external-editor@^3.0.3:
921 | version "3.1.0"
922 | resolved "https://registry.yarnpkg.com/external-editor/-/external-editor-3.1.0.tgz#cb03f740befae03ea4d283caed2741a83f335495"
923 | integrity sha512-hMQ4CX1p1izmuLYyZqLMO/qGNw10wSv9QDCPfzXfyFrOaCSSoRfqE1Kf1s5an66J5JZC62NewG+mK49jOCtQew==
924 | dependencies:
925 | chardet "^0.7.0"
926 | iconv-lite "^0.4.24"
927 | tmp "^0.0.33"
928 |
929 | extsprintf@1.3.0:
930 | version "1.3.0"
931 | resolved "https://registry.yarnpkg.com/extsprintf/-/extsprintf-1.3.0.tgz#96918440e3041a7a414f8c52e3c574eb3c3e1e05"
932 | integrity sha1-lpGEQOMEGnpBT4xS48V06zw+HgU=
933 |
934 | extsprintf@^1.2.0:
935 | version "1.4.0"
936 | resolved "https://registry.yarnpkg.com/extsprintf/-/extsprintf-1.4.0.tgz#e2689f8f356fad62cca65a3a91c5df5f9551692f"
937 | integrity sha1-4mifjzVvrWLMplo6kcXfX5VRaS8=
938 |
939 | fast-deep-equal@^2.0.1:
940 | version "2.0.1"
941 | resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-2.0.1.tgz#7b05218ddf9667bf7f370bf7fdb2cb15fdd0aa49"
942 | integrity sha1-ewUhjd+WZ79/Nwv3/bLLFf3Qqkk=
943 |
944 | fast-json-stable-stringify@^2.0.0:
945 | version "2.0.0"
946 | resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.0.0.tgz#d5142c0caee6b1189f87d3a76111064f86c8bbf2"
947 | integrity sha1-1RQsDK7msRifh9OnYREGT4bIu/I=
948 |
949 | fast-levenshtein@~2.0.4:
950 | version "2.0.6"
951 | resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917"
952 | integrity sha1-PYpcZog6FqMMqGQ+hR8Zuqd5eRc=
953 |
954 | figures@^2.0.0:
955 | version "2.0.0"
956 | resolved "https://registry.yarnpkg.com/figures/-/figures-2.0.0.tgz#3ab1a2d2a62c8bfb431a0c94cb797a2fce27c962"
957 | integrity sha1-OrGi0qYsi/tDGgyUy3l6L84nyWI=
958 | dependencies:
959 | escape-string-regexp "^1.0.5"
960 |
961 | file-entry-cache@^5.0.1:
962 | version "5.0.1"
963 | resolved "https://registry.yarnpkg.com/file-entry-cache/-/file-entry-cache-5.0.1.tgz#ca0f6efa6dd3d561333fb14515065c2fafdf439c"
964 | integrity sha512-bCg29ictuBaKUwwArK4ouCaqDgLZcysCFLmM/Yn/FDoqndh/9vNuQfXRDvTuXKLxfD/JtZQGKFT8MGcJBK644g==
965 | dependencies:
966 | flat-cache "^2.0.1"
967 |
968 | finalhandler@~1.1.2:
969 | version "1.1.2"
970 | resolved "https://registry.yarnpkg.com/finalhandler/-/finalhandler-1.1.2.tgz#b7e7d000ffd11938d0fdb053506f6ebabe9f587d"
971 | integrity sha512-aAWcW57uxVNrQZqFXjITpW3sIUQmHGG3qSb9mUah9MgMC4NeWhNOlNjXEYq3HjRAvL6arUviZGGJsBg6z0zsWA==
972 | dependencies:
973 | debug "2.6.9"
974 | encodeurl "~1.0.2"
975 | escape-html "~1.0.3"
976 | on-finished "~2.3.0"
977 | parseurl "~1.3.3"
978 | statuses "~1.5.0"
979 | unpipe "~1.0.0"
980 |
981 | find-cache-dir@^2.1.0:
982 | version "2.1.0"
983 | resolved "https://registry.yarnpkg.com/find-cache-dir/-/find-cache-dir-2.1.0.tgz#8d0f94cd13fe43c6c7c261a0d86115ca918c05f7"
984 | integrity sha512-Tq6PixE0w/VMFfCgbONnkiQIVol/JJL7nRMi20fqzA4NRs9AfeqMGeRdPi3wIhYkxjeBaWh2rxwapn5Tu3IqOQ==
985 | dependencies:
986 | commondir "^1.0.1"
987 | make-dir "^2.0.0"
988 | pkg-dir "^3.0.0"
989 |
990 | find-up@3.0.0, find-up@^3.0.0:
991 | version "3.0.0"
992 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-3.0.0.tgz#49169f1d7993430646da61ecc5ae355c21c97b73"
993 | integrity sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg==
994 | dependencies:
995 | locate-path "^3.0.0"
996 |
997 | find-up@^2.0.0, find-up@^2.1.0:
998 | version "2.1.0"
999 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-2.1.0.tgz#45d1b7e506c717ddd482775a2b77920a3c0c57a7"
1000 | integrity sha1-RdG35QbHF93UgndaK3eSCjwMV6c=
1001 | dependencies:
1002 | locate-path "^2.0.0"
1003 |
1004 | find-up@^4.0.0:
1005 | version "4.1.0"
1006 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-4.1.0.tgz#97afe7d6cdc0bc5928584b7c8d7b16e8a9aa5d19"
1007 | integrity sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==
1008 | dependencies:
1009 | locate-path "^5.0.0"
1010 | path-exists "^4.0.0"
1011 |
1012 | flat-cache@^2.0.1:
1013 | version "2.0.1"
1014 | resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-2.0.1.tgz#5d296d6f04bda44a4630a301413bdbc2ec085ec0"
1015 | integrity sha512-LoQe6yDuUMDzQAEH8sgmh4Md6oZnc/7PjtwjNFSzveXqSHt6ka9fPBuso7IGf9Rz4uqnSnWiFH2B/zj24a5ReA==
1016 | dependencies:
1017 | flatted "^2.0.0"
1018 | rimraf "2.6.3"
1019 | write "1.0.3"
1020 |
1021 | flat@^4.1.0:
1022 | version "4.1.0"
1023 | resolved "https://registry.yarnpkg.com/flat/-/flat-4.1.0.tgz#090bec8b05e39cba309747f1d588f04dbaf98db2"
1024 | integrity sha512-Px/TiLIznH7gEDlPXcUD4KnBusa6kR6ayRUVcnEAbreRIuhkqow/mun59BuRXwoYk7ZQOLW1ZM05ilIvK38hFw==
1025 | dependencies:
1026 | is-buffer "~2.0.3"
1027 |
1028 | flatted@^2.0.0:
1029 | version "2.0.1"
1030 | resolved "https://registry.yarnpkg.com/flatted/-/flatted-2.0.1.tgz#69e57caa8f0eacbc281d2e2cb458d46fdb449e08"
1031 | integrity sha512-a1hQMktqW9Nmqr5aktAux3JMNqaucxGcjtjWnZLHX7yyPCmlSV3M54nGYbqT8K+0GhF3NBgmJCc3ma+WOgX8Jg==
1032 |
1033 | follow-redirects@1.5.10:
1034 | version "1.5.10"
1035 | resolved "https://registry.yarnpkg.com/follow-redirects/-/follow-redirects-1.5.10.tgz#7b7a9f9aea2fdff36786a94ff643ed07f4ff5e2a"
1036 | integrity sha512-0V5l4Cizzvqt5D44aTXbFZz+FtyXV1vrDN6qrelxtfYQKW0KO0W2T/hkE8xvGa/540LkZlkaUjO4ailYTFtHVQ==
1037 | dependencies:
1038 | debug "=3.1.0"
1039 |
1040 | foreground-child@^1.5.6:
1041 | version "1.5.6"
1042 | resolved "https://registry.yarnpkg.com/foreground-child/-/foreground-child-1.5.6.tgz#4fd71ad2dfde96789b980a5c0a295937cb2f5ce9"
1043 | integrity sha1-T9ca0t/elnibmApcCilZN8svXOk=
1044 | dependencies:
1045 | cross-spawn "^4"
1046 | signal-exit "^3.0.0"
1047 |
1048 | forever-agent@~0.6.1:
1049 | version "0.6.1"
1050 | resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91"
1051 | integrity sha1-+8cfDEGt6zf5bFd60e1C2P2sypE=
1052 |
1053 | form-data@^2.5.1:
1054 | version "2.5.1"
1055 | resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.5.1.tgz#f2cbec57b5e59e23716e128fe44d4e5dd23895f4"
1056 | integrity sha512-m21N3WOmEEURgk6B9GLOE4RuWOFf28Lhh9qGYeNlGq4VDXUlJy2th2slBNU8Gp8EzloYZOibZJ7t5ecIrFSjVA==
1057 | dependencies:
1058 | asynckit "^0.4.0"
1059 | combined-stream "^1.0.6"
1060 | mime-types "^2.1.12"
1061 |
1062 | form-data@~2.3.2:
1063 | version "2.3.3"
1064 | resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.3.3.tgz#dcce52c05f644f298c6a7ab936bd724ceffbf3a6"
1065 | integrity sha512-1lLKB2Mu3aGP1Q/2eCOx0fNbRMe7XdwktwOruhfqqd0rIJWwN4Dh+E3hrPSlDCXnSR7UtZ1N38rVXm+6+MEhJQ==
1066 | dependencies:
1067 | asynckit "^0.4.0"
1068 | combined-stream "^1.0.6"
1069 | mime-types "^2.1.12"
1070 |
1071 | forwarded@~0.1.2:
1072 | version "0.1.2"
1073 | resolved "https://registry.yarnpkg.com/forwarded/-/forwarded-0.1.2.tgz#98c23dab1175657b8c0573e8ceccd91b0ff18c84"
1074 | integrity sha1-mMI9qxF1ZXuMBXPozszZGw/xjIQ=
1075 |
1076 | fresh@0.5.2:
1077 | version "0.5.2"
1078 | resolved "https://registry.yarnpkg.com/fresh/-/fresh-0.5.2.tgz#3d8cadd90d976569fa835ab1f8e4b23a105605a7"
1079 | integrity sha1-PYyt2Q2XZWn6g1qx+OSyOhBWBac=
1080 |
1081 | fs.realpath@^1.0.0:
1082 | version "1.0.0"
1083 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f"
1084 | integrity sha1-FQStJSMVjKpA20onh8sBQRmU6k8=
1085 |
1086 | function-bind@^1.1.1:
1087 | version "1.1.1"
1088 | resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d"
1089 | integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==
1090 |
1091 | functional-red-black-tree@^1.0.1:
1092 | version "1.0.1"
1093 | resolved "https://registry.yarnpkg.com/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz#1b0ab3bd553b2a0d6399d29c0e3ea0b252078327"
1094 | integrity sha1-GwqzvVU7Kg1jmdKcDj6gslIHgyc=
1095 |
1096 | get-caller-file@^2.0.1:
1097 | version "2.0.5"
1098 | resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-2.0.5.tgz#4f94412a82db32f36e3b0b9741f8a97feb031f7e"
1099 | integrity sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==
1100 |
1101 | get-func-name@^2.0.0:
1102 | version "2.0.0"
1103 | resolved "https://registry.yarnpkg.com/get-func-name/-/get-func-name-2.0.0.tgz#ead774abee72e20409433a066366023dd6887a41"
1104 | integrity sha1-6td0q+5y4gQJQzoGY2YCPdaIekE=
1105 |
1106 | get-stdin@^7.0.0:
1107 | version "7.0.0"
1108 | resolved "https://registry.yarnpkg.com/get-stdin/-/get-stdin-7.0.0.tgz#8d5de98f15171a125c5e516643c7a6d0ea8a96f6"
1109 | integrity sha512-zRKcywvrXlXsA0v0i9Io4KDRaAw7+a1ZpjRwl9Wox8PFlVCCHra7E9c4kqXCoCM9nR5tBkaTTZRBoCm60bFqTQ==
1110 |
1111 | get-stream@^4.0.0:
1112 | version "4.1.0"
1113 | resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-4.1.0.tgz#c1b255575f3dc21d59bfc79cd3d2b46b1c3a54b5"
1114 | integrity sha512-GMat4EJ5161kIy2HevLlr4luNjBgvmj413KaQA7jt4V8B4RDsfpHk7WQ9GVqfYyyx8OS/L66Kox+rJRNklLK7w==
1115 | dependencies:
1116 | pump "^3.0.0"
1117 |
1118 | getpass@^0.1.1:
1119 | version "0.1.7"
1120 | resolved "https://registry.yarnpkg.com/getpass/-/getpass-0.1.7.tgz#5eff8e3e684d569ae4cb2b1282604e8ba62149fa"
1121 | integrity sha1-Xv+OPmhNVprkyysSgmBOi6YhSfo=
1122 | dependencies:
1123 | assert-plus "^1.0.0"
1124 |
1125 | glob-parent@^5.0.0:
1126 | version "5.1.0"
1127 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-5.1.0.tgz#5f4c1d1e748d30cd73ad2944b3577a81b081e8c2"
1128 | integrity sha512-qjtRgnIVmOfnKUE3NJAQEdk+lKrxfw8t5ke7SXtfMTHcjsBfOfWXCQfdb30zfDoZQ2IRSIiidmjtbHZPZ++Ihw==
1129 | dependencies:
1130 | is-glob "^4.0.1"
1131 |
1132 | glob@7.1.3:
1133 | version "7.1.3"
1134 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.3.tgz#3960832d3f1574108342dafd3a67b332c0969df1"
1135 | integrity sha512-vcfuiIxogLV4DlGBHIUOwI0IbrJ8HWPc4MU7HzviGeNho/UJDfi6B5p3sHeWIQ0KGIU0Jpxi5ZHxemQfLkkAwQ==
1136 | dependencies:
1137 | fs.realpath "^1.0.0"
1138 | inflight "^1.0.4"
1139 | inherits "2"
1140 | minimatch "^3.0.4"
1141 | once "^1.3.0"
1142 | path-is-absolute "^1.0.0"
1143 |
1144 | glob@^7.1.3:
1145 | version "7.1.4"
1146 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.4.tgz#aa608a2f6c577ad357e1ae5a5c26d9a8d1969255"
1147 | integrity sha512-hkLPepehmnKk41pUGm3sYxoFs/umurYfYJCerbXEyFIWcAzvpipAgVkBqqT9RBKMGjnq6kMuyYwha6csxbiM1A==
1148 | dependencies:
1149 | fs.realpath "^1.0.0"
1150 | inflight "^1.0.4"
1151 | inherits "2"
1152 | minimatch "^3.0.4"
1153 | once "^1.3.0"
1154 | path-is-absolute "^1.0.0"
1155 |
1156 | globals@^11.1.0, globals@^11.7.0:
1157 | version "11.12.0"
1158 | resolved "https://registry.yarnpkg.com/globals/-/globals-11.12.0.tgz#ab8795338868a0babd8525758018c2a7eb95c42e"
1159 | integrity sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==
1160 |
1161 | graceful-fs@^4.1.11, graceful-fs@^4.1.15, graceful-fs@^4.1.2:
1162 | version "4.2.2"
1163 | resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.2.tgz#6f0952605d0140c1cfdb138ed005775b92d67b02"
1164 | integrity sha512-IItsdsea19BoLC7ELy13q1iJFNmd7ofZH5+X/pJr90/nRoPEX0DJo1dHDbgtYWOhJhcCgMDTOw84RZ72q6lB+Q==
1165 |
1166 | growl@1.10.5, "growl@~> 1.10.0":
1167 | version "1.10.5"
1168 | resolved "https://registry.yarnpkg.com/growl/-/growl-1.10.5.tgz#f2735dc2283674fa67478b10181059355c369e5e"
1169 | integrity sha512-qBr4OuELkhPenW6goKVXiv47US3clb3/IbuWF9KNKEijAy9oeHxU9IgzjvJhHkUzhaj7rOUD7+YGWqUjLp5oSA==
1170 |
1171 | handlebars@^4.1.2:
1172 | version "4.4.0"
1173 | resolved "https://registry.yarnpkg.com/handlebars/-/handlebars-4.4.0.tgz#22e1a897c5d83023d39801f35f6b65cf97ed8b25"
1174 | integrity sha512-xkRtOt3/3DzTKMOt3xahj2M/EqNhY988T+imYSlMgs5fVhLN2fmKVVj0LtEGmb+3UUYV5Qmm1052Mm3dIQxOvw==
1175 | dependencies:
1176 | neo-async "^2.6.0"
1177 | optimist "^0.6.1"
1178 | source-map "^0.6.1"
1179 | optionalDependencies:
1180 | uglify-js "^3.1.4"
1181 |
1182 | har-schema@^2.0.0:
1183 | version "2.0.0"
1184 | resolved "https://registry.yarnpkg.com/har-schema/-/har-schema-2.0.0.tgz#a94c2224ebcac04782a0d9035521f24735b7ec92"
1185 | integrity sha1-qUwiJOvKwEeCoNkDVSHyRzW37JI=
1186 |
1187 | har-validator@~5.1.0:
1188 | version "5.1.3"
1189 | resolved "https://registry.yarnpkg.com/har-validator/-/har-validator-5.1.3.tgz#1ef89ebd3e4996557675eed9893110dc350fa080"
1190 | integrity sha512-sNvOCzEQNr/qrvJgc3UG/kD4QtlHycrzwS+6mfTrrSq97BvaYcPZZI1ZSqGSPR73Cxn4LKTD4PttRwfU7jWq5g==
1191 | dependencies:
1192 | ajv "^6.5.5"
1193 | har-schema "^2.0.0"
1194 |
1195 | has-flag@^3.0.0:
1196 | version "3.0.0"
1197 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-3.0.0.tgz#b5d454dc2199ae225699f3467e5a07f3b955bafd"
1198 | integrity sha1-tdRU3CGZriJWmfNGfloH87lVuv0=
1199 |
1200 | has-symbols@^1.0.0:
1201 | version "1.0.0"
1202 | resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.0.tgz#ba1a8f1af2a0fc39650f5c850367704122063b44"
1203 | integrity sha1-uhqPGvKg/DllD1yFA2dwQSIGO0Q=
1204 |
1205 | has@^1.0.1, has@^1.0.3:
1206 | version "1.0.3"
1207 | resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796"
1208 | integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==
1209 | dependencies:
1210 | function-bind "^1.1.1"
1211 |
1212 | hasha@^3.0.0:
1213 | version "3.0.0"
1214 | resolved "https://registry.yarnpkg.com/hasha/-/hasha-3.0.0.tgz#52a32fab8569d41ca69a61ff1a214f8eb7c8bd39"
1215 | integrity sha1-UqMvq4Vp1BymmmH/GiFPjrfIvTk=
1216 | dependencies:
1217 | is-stream "^1.0.1"
1218 |
1219 | he@1.2.0:
1220 | version "1.2.0"
1221 | resolved "https://registry.yarnpkg.com/he/-/he-1.2.0.tgz#84ae65fa7eafb165fddb61566ae14baf05664f0f"
1222 | integrity sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw==
1223 |
1224 | hosted-git-info@^2.1.4:
1225 | version "2.8.4"
1226 | resolved "https://registry.yarnpkg.com/hosted-git-info/-/hosted-git-info-2.8.4.tgz#44119abaf4bc64692a16ace34700fed9c03e2546"
1227 | integrity sha512-pzXIvANXEFrc5oFFXRMkbLPQ2rXRoDERwDLyrcUxGhaZhgP54BBSl9Oheh7Vv0T090cszWBxPjkQQ5Sq1PbBRQ==
1228 |
1229 | http-errors@1.7.2:
1230 | version "1.7.2"
1231 | resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.7.2.tgz#4f5029cf13239f31036e5b2e55292bcfbcc85c8f"
1232 | integrity sha512-uUQBt3H/cSIVfch6i1EuPNy/YsRSOUBXTVfZ+yR7Zjez3qjBz6i9+i4zjNaoqcoFVI4lQJ5plg63TvGfRSDCRg==
1233 | dependencies:
1234 | depd "~1.1.2"
1235 | inherits "2.0.3"
1236 | setprototypeof "1.1.1"
1237 | statuses ">= 1.5.0 < 2"
1238 | toidentifier "1.0.0"
1239 |
1240 | http-errors@~1.7.2:
1241 | version "1.7.3"
1242 | resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.7.3.tgz#6c619e4f9c60308c38519498c14fbb10aacebb06"
1243 | integrity sha512-ZTTX0MWrsQ2ZAhA1cejAwDLycFsd7I7nVtnkT3Ol0aqodaKW+0CTZDQ1uBv5whptCnc8e8HeRRJxRs0kmm/Qfw==
1244 | dependencies:
1245 | depd "~1.1.2"
1246 | inherits "2.0.4"
1247 | setprototypeof "1.1.1"
1248 | statuses ">= 1.5.0 < 2"
1249 | toidentifier "1.0.0"
1250 |
1251 | http-signature@~1.2.0:
1252 | version "1.2.0"
1253 | resolved "https://registry.yarnpkg.com/http-signature/-/http-signature-1.2.0.tgz#9aecd925114772f3d95b65a60abb8f7c18fbace1"
1254 | integrity sha1-muzZJRFHcvPZW2WmCruPfBj7rOE=
1255 | dependencies:
1256 | assert-plus "^1.0.0"
1257 | jsprim "^1.2.2"
1258 | sshpk "^1.7.0"
1259 |
1260 | husky@^3.0.7:
1261 | version "3.0.7"
1262 | resolved "https://registry.yarnpkg.com/husky/-/husky-3.0.7.tgz#05e869006c7d9a31b27893aeda520e730bd125b9"
1263 | integrity sha512-fIrkaREoQk6DO8KnSX16Aq7Kg9SxqYYQZH/9b+4AxXyXNNgpJLsc8lWlQCShLus1nbujIyZ/WQZBHGwClohK/w==
1264 | dependencies:
1265 | chalk "^2.4.2"
1266 | cosmiconfig "^5.2.1"
1267 | execa "^1.0.0"
1268 | get-stdin "^7.0.0"
1269 | is-ci "^2.0.0"
1270 | opencollective-postinstall "^2.0.2"
1271 | pkg-dir "^4.2.0"
1272 | please-upgrade-node "^3.2.0"
1273 | read-pkg "^5.1.1"
1274 | run-node "^1.0.0"
1275 | slash "^3.0.0"
1276 |
1277 | iconv-lite@0.4.24, iconv-lite@^0.4.24:
1278 | version "0.4.24"
1279 | resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.24.tgz#2022b4b25fbddc21d2f524974a474aafe733908b"
1280 | integrity sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==
1281 | dependencies:
1282 | safer-buffer ">= 2.1.2 < 3"
1283 |
1284 | ignore@^4.0.6:
1285 | version "4.0.6"
1286 | resolved "https://registry.yarnpkg.com/ignore/-/ignore-4.0.6.tgz#750e3db5862087b4737ebac8207ffd1ef27b25fc"
1287 | integrity sha512-cyFDKrqc/YdcWFniJhzI42+AzS+gNwmUzOSFcRCQYwySuBBBy/KjuxWLZ/FHEH6Moq1NizMOBWyTcv8O4OZIMg==
1288 |
1289 | import-fresh@^2.0.0:
1290 | version "2.0.0"
1291 | resolved "https://registry.yarnpkg.com/import-fresh/-/import-fresh-2.0.0.tgz#d81355c15612d386c61f9ddd3922d4304822a546"
1292 | integrity sha1-2BNVwVYS04bGH53dOSLUMEgipUY=
1293 | dependencies:
1294 | caller-path "^2.0.0"
1295 | resolve-from "^3.0.0"
1296 |
1297 | import-fresh@^3.0.0:
1298 | version "3.1.0"
1299 | resolved "https://registry.yarnpkg.com/import-fresh/-/import-fresh-3.1.0.tgz#6d33fa1dcef6df930fae003446f33415af905118"
1300 | integrity sha512-PpuksHKGt8rXfWEr9m9EHIpgyyaltBy8+eF6GJM0QCAxMgxCfucMF3mjecK2QsJr0amJW7gTqh5/wht0z2UhEQ==
1301 | dependencies:
1302 | parent-module "^1.0.0"
1303 | resolve-from "^4.0.0"
1304 |
1305 | imurmurhash@^0.1.4:
1306 | version "0.1.4"
1307 | resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea"
1308 | integrity sha1-khi5srkoojixPcT7a21XbyMUU+o=
1309 |
1310 | inflight@^1.0.4:
1311 | version "1.0.6"
1312 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9"
1313 | integrity sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk=
1314 | dependencies:
1315 | once "^1.3.0"
1316 | wrappy "1"
1317 |
1318 | inherits@2, inherits@2.0.4:
1319 | version "2.0.4"
1320 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c"
1321 | integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==
1322 |
1323 | inherits@2.0.3:
1324 | version "2.0.3"
1325 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de"
1326 | integrity sha1-Yzwsg+PaQqUC9SRmAiSA9CCCYd4=
1327 |
1328 | inquirer@^6.4.1:
1329 | version "6.5.2"
1330 | resolved "https://registry.yarnpkg.com/inquirer/-/inquirer-6.5.2.tgz#ad50942375d036d327ff528c08bd5fab089928ca"
1331 | integrity sha512-cntlB5ghuB0iuO65Ovoi8ogLHiWGs/5yNrtUcKjFhSSiVeAIVpD7koaSU9RM8mpXw5YDi9RdYXGQMaOURB7ycQ==
1332 | dependencies:
1333 | ansi-escapes "^3.2.0"
1334 | chalk "^2.4.2"
1335 | cli-cursor "^2.1.0"
1336 | cli-width "^2.0.0"
1337 | external-editor "^3.0.3"
1338 | figures "^2.0.0"
1339 | lodash "^4.17.12"
1340 | mute-stream "0.0.7"
1341 | run-async "^2.2.0"
1342 | rxjs "^6.4.0"
1343 | string-width "^2.1.0"
1344 | strip-ansi "^5.1.0"
1345 | through "^2.3.6"
1346 |
1347 | ipaddr.js@1.9.0:
1348 | version "1.9.0"
1349 | resolved "https://registry.yarnpkg.com/ipaddr.js/-/ipaddr.js-1.9.0.tgz#37df74e430a0e47550fe54a2defe30d8acd95f65"
1350 | integrity sha512-M4Sjn6N/+O6/IXSJseKqHoFc+5FdGJ22sXqnjTpdZweHK64MzEPAyQZyEU3R/KRv2GLoa7nNtg/C2Ev6m7z+eA==
1351 |
1352 | is-arrayish@^0.2.1:
1353 | version "0.2.1"
1354 | resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.2.1.tgz#77c99840527aa8ecb1a8ba697b80645a7a926a9d"
1355 | integrity sha1-d8mYQFJ6qOyxqLppe4BkWnqSap0=
1356 |
1357 | is-buffer@^2.0.2:
1358 | version "2.0.3"
1359 | resolved "https://registry.yarnpkg.com/is-buffer/-/is-buffer-2.0.3.tgz#4ecf3fcf749cbd1e472689e109ac66261a25e725"
1360 | integrity sha512-U15Q7MXTuZlrbymiz95PJpZxu8IlipAp4dtS3wOdgPXx3mqBnslrWU14kxfHB+Py/+2PVKSr37dMAgM2A4uArw==
1361 |
1362 | is-buffer@~2.0.3:
1363 | version "2.0.4"
1364 | resolved "https://registry.yarnpkg.com/is-buffer/-/is-buffer-2.0.4.tgz#3e572f23c8411a5cfd9557c849e3665e0b290623"
1365 | integrity sha512-Kq1rokWXOPXWuaMAqZiJW4XxsmD9zGx9q4aePabbn3qCRGedtH7Cm+zV8WETitMfu1wdh+Rvd6w5egwSngUX2A==
1366 |
1367 | is-callable@^1.1.4:
1368 | version "1.1.4"
1369 | resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.1.4.tgz#1e1adf219e1eeb684d691f9d6a05ff0d30a24d75"
1370 | integrity sha512-r5p9sxJjYnArLjObpjA4xu5EKI3CuKHkJXMhT7kwbpUyIFD1n5PMAsoPvWnvtZiNz7LjkYDRZhd7FlI0eMijEA==
1371 |
1372 | is-ci@^2.0.0:
1373 | version "2.0.0"
1374 | resolved "https://registry.yarnpkg.com/is-ci/-/is-ci-2.0.0.tgz#6bc6334181810e04b5c22b3d589fdca55026404c"
1375 | integrity sha512-YfJT7rkpQB0updsdHLGWrvhBJfcfzNNawYDNIyQXJz0IViGf75O8EBPKSdvw2rF+LGCsX4FZ8tcr3b19LcZq4w==
1376 | dependencies:
1377 | ci-info "^2.0.0"
1378 |
1379 | is-date-object@^1.0.1:
1380 | version "1.0.1"
1381 | resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.1.tgz#9aa20eb6aeebbff77fbd33e74ca01b33581d3a16"
1382 | integrity sha1-mqIOtq7rv/d/vTPnTKAbM1gdOhY=
1383 |
1384 | is-directory@^0.3.1:
1385 | version "0.3.1"
1386 | resolved "https://registry.yarnpkg.com/is-directory/-/is-directory-0.3.1.tgz#61339b6f2475fc772fd9c9d83f5c8575dc154ae1"
1387 | integrity sha1-YTObbyR1/Hcv2cnYP1yFddwVSuE=
1388 |
1389 | is-extglob@^2.1.1:
1390 | version "2.1.1"
1391 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2"
1392 | integrity sha1-qIwCU1eR8C7TfHahueqXc8gz+MI=
1393 |
1394 | is-fullwidth-code-point@^2.0.0:
1395 | version "2.0.0"
1396 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f"
1397 | integrity sha1-o7MKXE8ZkYMWeqq5O+764937ZU8=
1398 |
1399 | is-glob@^4.0.0, is-glob@^4.0.1:
1400 | version "4.0.1"
1401 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.1.tgz#7567dbe9f2f5e2467bc77ab83c4a29482407a5dc"
1402 | integrity sha512-5G0tKtBTFImOqDnLB2hG6Bp2qcKEFduo4tZu9MT/H6NQv/ghhy30o55ufafxJ/LdH79LLs2Kfrn85TLKyA7BUg==
1403 | dependencies:
1404 | is-extglob "^2.1.1"
1405 |
1406 | is-promise@^2.1.0:
1407 | version "2.1.0"
1408 | resolved "https://registry.yarnpkg.com/is-promise/-/is-promise-2.1.0.tgz#79a2a9ece7f096e80f36d2b2f3bc16c1ff4bf3fa"
1409 | integrity sha1-eaKp7OfwlugPNtKy87wWwf9L8/o=
1410 |
1411 | is-regex@^1.0.4:
1412 | version "1.0.4"
1413 | resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.0.4.tgz#5517489b547091b0930e095654ced25ee97e9491"
1414 | integrity sha1-VRdIm1RwkbCTDglWVM7SXul+lJE=
1415 | dependencies:
1416 | has "^1.0.1"
1417 |
1418 | is-stream@^1.0.1, is-stream@^1.1.0:
1419 | version "1.1.0"
1420 | resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-1.1.0.tgz#12d4a3dd4e68e0b79ceb8dbc84173ae80d91ca44"
1421 | integrity sha1-EtSj3U5o4Lec6428hBc66A2RykQ=
1422 |
1423 | is-symbol@^1.0.2:
1424 | version "1.0.2"
1425 | resolved "https://registry.yarnpkg.com/is-symbol/-/is-symbol-1.0.2.tgz#a055f6ae57192caee329e7a860118b497a950f38"
1426 | integrity sha512-HS8bZ9ox60yCJLH9snBpIwv9pYUAkcuLhSA1oero1UB5y9aiQpRA8y2ex945AOtCZL1lJDeIk3G5LthswI46Lw==
1427 | dependencies:
1428 | has-symbols "^1.0.0"
1429 |
1430 | is-typedarray@~1.0.0:
1431 | version "1.0.0"
1432 | resolved "https://registry.yarnpkg.com/is-typedarray/-/is-typedarray-1.0.0.tgz#e479c80858df0c1b11ddda6940f96011fcda4a9a"
1433 | integrity sha1-5HnICFjfDBsR3dppQPlgEfzaSpo=
1434 |
1435 | isarray@0.0.1:
1436 | version "0.0.1"
1437 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-0.0.1.tgz#8a18acfca9a8f4177e09abfc6038939b05d1eedf"
1438 | integrity sha1-ihis/Kmo9Bd+Cav8YDiTmwXR7t8=
1439 |
1440 | isarray@^1.0.0:
1441 | version "1.0.0"
1442 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11"
1443 | integrity sha1-u5NdSFgsuhaMBoNJV6VKPgcSTxE=
1444 |
1445 | isexe@^2.0.0:
1446 | version "2.0.0"
1447 | resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10"
1448 | integrity sha1-6PvzdNxVb/iUehDcsFctYz8s+hA=
1449 |
1450 | isstream@~0.1.2:
1451 | version "0.1.2"
1452 | resolved "https://registry.yarnpkg.com/isstream/-/isstream-0.1.2.tgz#47e63f7af55afa6f92e1500e690eb8b8529c099a"
1453 | integrity sha1-R+Y/evVa+m+S4VAOaQ64uFKcCZo=
1454 |
1455 | istanbul-lib-coverage@^2.0.5:
1456 | version "2.0.5"
1457 | resolved "https://registry.yarnpkg.com/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.5.tgz#675f0ab69503fad4b1d849f736baaca803344f49"
1458 | integrity sha512-8aXznuEPCJvGnMSRft4udDRDtb1V3pkQkMMI5LI+6HuQz5oQ4J2UFn1H82raA3qJtyOLkkwVqICBQkjnGtn5mA==
1459 |
1460 | istanbul-lib-hook@^2.0.7:
1461 | version "2.0.7"
1462 | resolved "https://registry.yarnpkg.com/istanbul-lib-hook/-/istanbul-lib-hook-2.0.7.tgz#c95695f383d4f8f60df1f04252a9550e15b5b133"
1463 | integrity sha512-vrRztU9VRRFDyC+aklfLoeXyNdTfga2EI3udDGn4cZ6fpSXpHLV9X6CHvfoMCPtggg8zvDDmC4b9xfu0z6/llA==
1464 | dependencies:
1465 | append-transform "^1.0.0"
1466 |
1467 | istanbul-lib-instrument@^3.3.0:
1468 | version "3.3.0"
1469 | resolved "https://registry.yarnpkg.com/istanbul-lib-instrument/-/istanbul-lib-instrument-3.3.0.tgz#a5f63d91f0bbc0c3e479ef4c5de027335ec6d630"
1470 | integrity sha512-5nnIN4vo5xQZHdXno/YDXJ0G+I3dAm4XgzfSVTPLQpj/zAV2dV6Juy0yaf10/zrJOJeHoN3fraFe+XRq2bFVZA==
1471 | dependencies:
1472 | "@babel/generator" "^7.4.0"
1473 | "@babel/parser" "^7.4.3"
1474 | "@babel/template" "^7.4.0"
1475 | "@babel/traverse" "^7.4.3"
1476 | "@babel/types" "^7.4.0"
1477 | istanbul-lib-coverage "^2.0.5"
1478 | semver "^6.0.0"
1479 |
1480 | istanbul-lib-report@^2.0.8:
1481 | version "2.0.8"
1482 | resolved "https://registry.yarnpkg.com/istanbul-lib-report/-/istanbul-lib-report-2.0.8.tgz#5a8113cd746d43c4889eba36ab10e7d50c9b4f33"
1483 | integrity sha512-fHBeG573EIihhAblwgxrSenp0Dby6tJMFR/HvlerBsrCTD5bkUuoNtn3gVh29ZCS824cGGBPn7Sg7cNk+2xUsQ==
1484 | dependencies:
1485 | istanbul-lib-coverage "^2.0.5"
1486 | make-dir "^2.1.0"
1487 | supports-color "^6.1.0"
1488 |
1489 | istanbul-lib-source-maps@^3.0.6:
1490 | version "3.0.6"
1491 | resolved "https://registry.yarnpkg.com/istanbul-lib-source-maps/-/istanbul-lib-source-maps-3.0.6.tgz#284997c48211752ec486253da97e3879defba8c8"
1492 | integrity sha512-R47KzMtDJH6X4/YW9XTx+jrLnZnscW4VpNN+1PViSYTejLVPWv7oov+Duf8YQSPyVRUvueQqz1TcsC6mooZTXw==
1493 | dependencies:
1494 | debug "^4.1.1"
1495 | istanbul-lib-coverage "^2.0.5"
1496 | make-dir "^2.1.0"
1497 | rimraf "^2.6.3"
1498 | source-map "^0.6.1"
1499 |
1500 | istanbul-reports@^2.2.4:
1501 | version "2.2.6"
1502 | resolved "https://registry.yarnpkg.com/istanbul-reports/-/istanbul-reports-2.2.6.tgz#7b4f2660d82b29303a8fe6091f8ca4bf058da1af"
1503 | integrity sha512-SKi4rnMyLBKe0Jy2uUdx28h8oG7ph2PPuQPvIAh31d+Ci+lSiEu4C+h3oBPuJ9+mPKhOyW0M8gY4U5NM1WLeXA==
1504 | dependencies:
1505 | handlebars "^4.1.2"
1506 |
1507 | js-tokens@^4.0.0:
1508 | version "4.0.0"
1509 | resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499"
1510 | integrity sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==
1511 |
1512 | js-yaml@3.13.1, js-yaml@^3.13.1:
1513 | version "3.13.1"
1514 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-3.13.1.tgz#aff151b30bfdfa8e49e05da22e7415e9dfa37847"
1515 | integrity sha512-YfbcO7jXDdyj0DGxYVSlSeQNHbD7XPWvrVWeVUujrQEoZzWJIRrCPoyk6kL6IAjAG2IolMK4T0hNUe0HOUs5Jw==
1516 | dependencies:
1517 | argparse "^1.0.7"
1518 | esprima "^4.0.0"
1519 |
1520 | jsbn@~0.1.0:
1521 | version "0.1.1"
1522 | resolved "https://registry.yarnpkg.com/jsbn/-/jsbn-0.1.1.tgz#a5e654c2e5a2deb5f201d96cefbca80c0ef2f513"
1523 | integrity sha1-peZUwuWi3rXyAdls77yoDA7y9RM=
1524 |
1525 | jsesc@^2.5.1:
1526 | version "2.5.2"
1527 | resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-2.5.2.tgz#80564d2e483dacf6e8ef209650a67df3f0c283a4"
1528 | integrity sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==
1529 |
1530 | json-parse-better-errors@^1.0.1:
1531 | version "1.0.2"
1532 | resolved "https://registry.yarnpkg.com/json-parse-better-errors/-/json-parse-better-errors-1.0.2.tgz#bb867cfb3450e69107c131d1c514bab3dc8bcaa9"
1533 | integrity sha512-mrqyZKfX5EhL7hvqcV6WG1yYjnjeuYDzDhhcAAUrq8Po85NBQBJP+ZDUT75qZQ98IkUoBqdkExkukOU7Ts2wrw==
1534 |
1535 | json-schema-traverse@^0.4.1:
1536 | version "0.4.1"
1537 | resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz#69f6a87d9513ab8bb8fe63bdb0979c448e684660"
1538 | integrity sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==
1539 |
1540 | json-schema@0.2.3:
1541 | version "0.2.3"
1542 | resolved "https://registry.yarnpkg.com/json-schema/-/json-schema-0.2.3.tgz#b480c892e59a2f05954ce727bd3f2a4e882f9e13"
1543 | integrity sha1-tIDIkuWaLwWVTOcnvT8qTogvnhM=
1544 |
1545 | json-stable-stringify-without-jsonify@^1.0.1:
1546 | version "1.0.1"
1547 | resolved "https://registry.yarnpkg.com/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz#9db7b59496ad3f3cfef30a75142d2d930ad72651"
1548 | integrity sha1-nbe1lJatPzz+8wp1FC0tkwrXJlE=
1549 |
1550 | json-stringify-safe@~5.0.1:
1551 | version "5.0.1"
1552 | resolved "https://registry.yarnpkg.com/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz#1296a2d58fd45f19a0f6ce01d65701e2c735b6eb"
1553 | integrity sha1-Epai1Y/UXxmg9s4B1lcB4sc1tus=
1554 |
1555 | jsprim@^1.2.2:
1556 | version "1.4.1"
1557 | resolved "https://registry.yarnpkg.com/jsprim/-/jsprim-1.4.1.tgz#313e66bc1e5cc06e438bc1b7499c2e5c56acb6a2"
1558 | integrity sha1-MT5mvB5cwG5Di8G3SZwuXFastqI=
1559 | dependencies:
1560 | assert-plus "1.0.0"
1561 | extsprintf "1.3.0"
1562 | json-schema "0.2.3"
1563 | verror "1.10.0"
1564 |
1565 | just-extend@^4.0.2:
1566 | version "4.0.2"
1567 | resolved "https://registry.yarnpkg.com/just-extend/-/just-extend-4.0.2.tgz#f3f47f7dfca0f989c55410a7ebc8854b07108afc"
1568 | integrity sha512-FrLwOgm+iXrPV+5zDU6Jqu4gCRXbWEQg2O3SKONsWE4w7AXFRkryS53bpWdaL9cNol+AmR3AEYz6kn+o0fCPnw==
1569 |
1570 | lcov-parse@^0.0.10:
1571 | version "0.0.10"
1572 | resolved "https://registry.yarnpkg.com/lcov-parse/-/lcov-parse-0.0.10.tgz#1b0b8ff9ac9c7889250582b70b71315d9da6d9a3"
1573 | integrity sha1-GwuP+ayceIklBYK3C3ExXZ2m2aM=
1574 |
1575 | levn@^0.3.0, levn@~0.3.0:
1576 | version "0.3.0"
1577 | resolved "https://registry.yarnpkg.com/levn/-/levn-0.3.0.tgz#3b09924edf9f083c0490fdd4c0bc4421e04764ee"
1578 | integrity sha1-OwmSTt+fCDwEkP3UwLxEIeBHZO4=
1579 | dependencies:
1580 | prelude-ls "~1.1.2"
1581 | type-check "~0.3.2"
1582 |
1583 | lines-and-columns@^1.1.6:
1584 | version "1.1.6"
1585 | resolved "https://registry.yarnpkg.com/lines-and-columns/-/lines-and-columns-1.1.6.tgz#1c00c743b433cd0a4e80758f7b64a57440d9ff00"
1586 | integrity sha1-HADHQ7QzzQpOgHWPe2SldEDZ/wA=
1587 |
1588 | load-json-file@^2.0.0:
1589 | version "2.0.0"
1590 | resolved "https://registry.yarnpkg.com/load-json-file/-/load-json-file-2.0.0.tgz#7947e42149af80d696cbf797bcaabcfe1fe29ca8"
1591 | integrity sha1-eUfkIUmvgNaWy/eXvKq8/h/inKg=
1592 | dependencies:
1593 | graceful-fs "^4.1.2"
1594 | parse-json "^2.2.0"
1595 | pify "^2.0.0"
1596 | strip-bom "^3.0.0"
1597 |
1598 | load-json-file@^4.0.0:
1599 | version "4.0.0"
1600 | resolved "https://registry.yarnpkg.com/load-json-file/-/load-json-file-4.0.0.tgz#2f5f45ab91e33216234fd53adab668eb4ec0993b"
1601 | integrity sha1-L19Fq5HjMhYjT9U62rZo607AmTs=
1602 | dependencies:
1603 | graceful-fs "^4.1.2"
1604 | parse-json "^4.0.0"
1605 | pify "^3.0.0"
1606 | strip-bom "^3.0.0"
1607 |
1608 | locate-path@^2.0.0:
1609 | version "2.0.0"
1610 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-2.0.0.tgz#2b568b265eec944c6d9c0de9c3dbbbca0354cd8e"
1611 | integrity sha1-K1aLJl7slExtnA3pw9u7ygNUzY4=
1612 | dependencies:
1613 | p-locate "^2.0.0"
1614 | path-exists "^3.0.0"
1615 |
1616 | locate-path@^3.0.0:
1617 | version "3.0.0"
1618 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-3.0.0.tgz#dbec3b3ab759758071b58fe59fc41871af21400e"
1619 | integrity sha512-7AO748wWnIhNqAuaty2ZWHkQHRSNfPVIsPIfwEOWO22AmaoVrWavlOcMR5nzTLNYvp36X220/maaRsrec1G65A==
1620 | dependencies:
1621 | p-locate "^3.0.0"
1622 | path-exists "^3.0.0"
1623 |
1624 | locate-path@^5.0.0:
1625 | version "5.0.0"
1626 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-5.0.0.tgz#1afba396afd676a6d42504d0a67a3a7eb9f62aa0"
1627 | integrity sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==
1628 | dependencies:
1629 | p-locate "^4.1.0"
1630 |
1631 | lodash.flattendeep@^4.4.0:
1632 | version "4.4.0"
1633 | resolved "https://registry.yarnpkg.com/lodash.flattendeep/-/lodash.flattendeep-4.4.0.tgz#fb030917f86a3134e5bc9bec0d69e0013ddfedb2"
1634 | integrity sha1-+wMJF/hqMTTlvJvsDWngAT3f7bI=
1635 |
1636 | lodash@^4.17.12, lodash@^4.17.13, lodash@^4.17.14, lodash@^4.17.15:
1637 | version "4.17.15"
1638 | resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.15.tgz#b447f6670a0455bbfeedd11392eff330ea097548"
1639 | integrity sha512-8xOcRHvCjnocdS5cpwXQXVzmmh5e5+saE2QGoeQmbKmRS6J3VQppPOIt0MnmE+4xlZoumy0GPG0D0MVIQbNA1A==
1640 |
1641 | log-driver@^1.2.7:
1642 | version "1.2.7"
1643 | resolved "https://registry.yarnpkg.com/log-driver/-/log-driver-1.2.7.tgz#63b95021f0702fedfa2c9bb0a24e7797d71871d8"
1644 | integrity sha512-U7KCmLdqsGHBLeWqYlFA0V0Sl6P08EE1ZrmA9cxjUE0WVqT9qnyVDPz1kzpFEP0jdJuFnasWIfSd7fsaNXkpbg==
1645 |
1646 | log-symbols@2.2.0:
1647 | version "2.2.0"
1648 | resolved "https://registry.yarnpkg.com/log-symbols/-/log-symbols-2.2.0.tgz#5740e1c5d6f0dfda4ad9323b5332107ef6b4c40a"
1649 | integrity sha512-VeIAFslyIerEJLXHziedo2basKbMKtTw3vfn5IzG0XTjhAVEJyNHnL2p7vc+wBDSdQuUpNw3M2u6xb9QsAY5Eg==
1650 | dependencies:
1651 | chalk "^2.0.1"
1652 |
1653 | lolex@^4.1.0, lolex@^4.2.0:
1654 | version "4.2.0"
1655 | resolved "https://registry.yarnpkg.com/lolex/-/lolex-4.2.0.tgz#ddbd7f6213ca1ea5826901ab1222b65d714b3cd7"
1656 | integrity sha512-gKO5uExCXvSm6zbF562EvM+rd1kQDnB9AZBbiQVzf1ZmdDpxUSvpnAaVOP83N/31mRK8Ml8/VE8DMvsAZQ+7wg==
1657 |
1658 | lru-cache@^4.0.1:
1659 | version "4.1.5"
1660 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-4.1.5.tgz#8bbe50ea85bed59bc9e33dcab8235ee9bcf443cd"
1661 | integrity sha512-sWZlbEP2OsHNkXrMl5GYk/jKk70MBng6UU4YI/qGDYbgf6YbP4EvmqISbXCoJiRKs+1bSpFHVgQxvJ17F2li5g==
1662 | dependencies:
1663 | pseudomap "^1.0.2"
1664 | yallist "^2.1.2"
1665 |
1666 | make-dir@^2.0.0, make-dir@^2.1.0:
1667 | version "2.1.0"
1668 | resolved "https://registry.yarnpkg.com/make-dir/-/make-dir-2.1.0.tgz#5f0310e18b8be898cc07009295a30ae41e91e6f5"
1669 | integrity sha512-LS9X+dc8KLxXCb8dni79fLIIUA5VyZoyjSMCwTluaXA0o27cCK0bhXkpgw+sTXVpPy/lSO57ilRixqk0vDmtRA==
1670 | dependencies:
1671 | pify "^4.0.1"
1672 | semver "^5.6.0"
1673 |
1674 | media-typer@0.3.0:
1675 | version "0.3.0"
1676 | resolved "https://registry.yarnpkg.com/media-typer/-/media-typer-0.3.0.tgz#8710d7af0aa626f8fffa1ce00168545263255748"
1677 | integrity sha1-hxDXrwqmJvj/+hzgAWhUUmMlV0g=
1678 |
1679 | merge-descriptors@1.0.1:
1680 | version "1.0.1"
1681 | resolved "https://registry.yarnpkg.com/merge-descriptors/-/merge-descriptors-1.0.1.tgz#b00aaa556dd8b44568150ec9d1b953f3f90cbb61"
1682 | integrity sha1-sAqqVW3YtEVoFQ7J0blT8/kMu2E=
1683 |
1684 | merge-source-map@^1.1.0:
1685 | version "1.1.0"
1686 | resolved "https://registry.yarnpkg.com/merge-source-map/-/merge-source-map-1.1.0.tgz#2fdde7e6020939f70906a68f2d7ae685e4c8c646"
1687 | integrity sha512-Qkcp7P2ygktpMPh2mCQZaf3jhN6D3Z/qVZHSdWvQ+2Ef5HgRAPBO57A77+ENm0CPx2+1Ce/MYKi3ymqdfuqibw==
1688 | dependencies:
1689 | source-map "^0.6.1"
1690 |
1691 | methods@~1.1.2:
1692 | version "1.1.2"
1693 | resolved "https://registry.yarnpkg.com/methods/-/methods-1.1.2.tgz#5529a4d67654134edcc5266656835b0f851afcee"
1694 | integrity sha1-VSmk1nZUE07cxSZmVoNbD4Ua/O4=
1695 |
1696 | mime-db@1.40.0:
1697 | version "1.40.0"
1698 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.40.0.tgz#a65057e998db090f732a68f6c276d387d4126c32"
1699 | integrity sha512-jYdeOMPy9vnxEqFRRo6ZvTZ8d9oPb+k18PKoYNYUe2stVEBPPwsln/qWzdbmaIvnhZ9v2P+CuecK+fpUfsV2mA==
1700 |
1701 | mime-types@^2.1.12, mime-types@~2.1.19, mime-types@~2.1.24:
1702 | version "2.1.24"
1703 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.24.tgz#b6f8d0b3e951efb77dedeca194cff6d16f676f81"
1704 | integrity sha512-WaFHS3MCl5fapm3oLxU4eYDw77IQM2ACcxQ9RIxfaC3ooc6PFuBMGZZsYpvoXS5D5QTWPieo1jjLdAm3TBP3cQ==
1705 | dependencies:
1706 | mime-db "1.40.0"
1707 |
1708 | mime@1.6.0:
1709 | version "1.6.0"
1710 | resolved "https://registry.yarnpkg.com/mime/-/mime-1.6.0.tgz#32cd9e5c64553bd58d19a568af452acff04981b1"
1711 | integrity sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==
1712 |
1713 | mimic-fn@^1.0.0:
1714 | version "1.2.0"
1715 | resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-1.2.0.tgz#820c86a39334640e99516928bd03fca88057d022"
1716 | integrity sha512-jf84uxzwiuiIVKiOLpfYk7N46TSy8ubTonmneY9vrpHNAnp0QBt2BxWV9dO3/j+BoVAb+a5G6YDPW3M5HOdMWQ==
1717 |
1718 | minimatch@3.0.4, minimatch@^3.0.4:
1719 | version "3.0.4"
1720 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083"
1721 | integrity sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA==
1722 | dependencies:
1723 | brace-expansion "^1.1.7"
1724 |
1725 | minimist@0.0.8:
1726 | version "0.0.8"
1727 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.8.tgz#857fcabfc3397d2625b8228262e86aa7a011b05d"
1728 | integrity sha1-hX/Kv8M5fSYluCKCYuhqp6ARsF0=
1729 |
1730 | minimist@^1.2.0:
1731 | version "1.2.0"
1732 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.0.tgz#a35008b20f41383eec1fb914f4cd5df79a264284"
1733 | integrity sha1-o1AIsg9BOD7sH7kU9M1d95omQoQ=
1734 |
1735 | minimist@~0.0.1:
1736 | version "0.0.10"
1737 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.10.tgz#de3f98543dbf96082be48ad1a0c7cda836301dcf"
1738 | integrity sha1-3j+YVD2/lggr5IrRoMfNqDYwHc8=
1739 |
1740 | mkdirp@0.5.1, mkdirp@^0.5.0, mkdirp@^0.5.1:
1741 | version "0.5.1"
1742 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.1.tgz#30057438eac6cf7f8c4767f38648d6697d75c903"
1743 | integrity sha1-MAV0OOrGz3+MR2fzhkjWaX11yQM=
1744 | dependencies:
1745 | minimist "0.0.8"
1746 |
1747 | mocha@^6.2.1:
1748 | version "6.2.1"
1749 | resolved "https://registry.yarnpkg.com/mocha/-/mocha-6.2.1.tgz#da941c99437da9bac412097859ff99543969f94c"
1750 | integrity sha512-VCcWkLHwk79NYQc8cxhkmI8IigTIhsCwZ6RTxQsqK6go4UvEhzJkYuHm8B2YtlSxcYq2fY+ucr4JBwoD6ci80A==
1751 | dependencies:
1752 | ansi-colors "3.2.3"
1753 | browser-stdout "1.3.1"
1754 | debug "3.2.6"
1755 | diff "3.5.0"
1756 | escape-string-regexp "1.0.5"
1757 | find-up "3.0.0"
1758 | glob "7.1.3"
1759 | growl "1.10.5"
1760 | he "1.2.0"
1761 | js-yaml "3.13.1"
1762 | log-symbols "2.2.0"
1763 | minimatch "3.0.4"
1764 | mkdirp "0.5.1"
1765 | ms "2.1.1"
1766 | node-environment-flags "1.0.5"
1767 | object.assign "4.1.0"
1768 | strip-json-comments "2.0.1"
1769 | supports-color "6.0.0"
1770 | which "1.3.1"
1771 | wide-align "1.1.3"
1772 | yargs "13.3.0"
1773 | yargs-parser "13.1.1"
1774 | yargs-unparser "1.6.0"
1775 |
1776 | ms@2.0.0:
1777 | version "2.0.0"
1778 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8"
1779 | integrity sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g=
1780 |
1781 | ms@2.1.1:
1782 | version "2.1.1"
1783 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.1.tgz#30a5864eb3ebb0a66f2ebe6d727af06a09d86e0a"
1784 | integrity sha512-tgp+dl5cGk28utYktBsrFqA7HKgrhgPsg6Z/EfhWI4gl1Hwq8B/GmY/0oXZ6nF8hDVesS/FpnYaD/kOWhYQvyg==
1785 |
1786 | ms@^2.1.1:
1787 | version "2.1.2"
1788 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009"
1789 | integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==
1790 |
1791 | mute-stream@0.0.7:
1792 | version "0.0.7"
1793 | resolved "https://registry.yarnpkg.com/mute-stream/-/mute-stream-0.0.7.tgz#3075ce93bc21b8fab43e1bc4da7e8115ed1e7bab"
1794 | integrity sha1-MHXOk7whuPq0PhvE2n6BFe0ee6s=
1795 |
1796 | natural-compare@^1.4.0:
1797 | version "1.4.0"
1798 | resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7"
1799 | integrity sha1-Sr6/7tdUHywnrPspvbvRXI1bpPc=
1800 |
1801 | ncp@^2.0.0:
1802 | version "2.0.0"
1803 | resolved "https://registry.yarnpkg.com/ncp/-/ncp-2.0.0.tgz#195a21d6c46e361d2fb1281ba38b91e9df7bdbb3"
1804 | integrity sha1-GVoh1sRuNh0vsSgbo4uR6d9727M=
1805 |
1806 | negotiator@0.6.2:
1807 | version "0.6.2"
1808 | resolved "https://registry.yarnpkg.com/negotiator/-/negotiator-0.6.2.tgz#feacf7ccf525a77ae9634436a64883ffeca346fb"
1809 | integrity sha512-hZXc7K2e+PgeI1eDBe/10Ard4ekbfrrqG8Ep+8Jmf4JID2bNg7NvCPOZN+kfF574pFQI7mum2AUqDidoKqcTOw==
1810 |
1811 | neo-async@^2.6.0:
1812 | version "2.6.1"
1813 | resolved "https://registry.yarnpkg.com/neo-async/-/neo-async-2.6.1.tgz#ac27ada66167fa8849a6addd837f6b189ad2081c"
1814 | integrity sha512-iyam8fBuCUpWeKPGpaNMetEocMt364qkCsfL9JuhjXX6dRnguRVOfk2GZaDpPjcOKiiXCPINZC1GczQ7iTq3Zw==
1815 |
1816 | nested-error-stacks@^2.0.0:
1817 | version "2.1.0"
1818 | resolved "https://registry.yarnpkg.com/nested-error-stacks/-/nested-error-stacks-2.1.0.tgz#0fbdcf3e13fe4994781280524f8b96b0cdff9c61"
1819 | integrity sha512-AO81vsIO1k1sM4Zrd6Hu7regmJN1NSiAja10gc4bX3F0wd+9rQmcuHQaHVQCYIEC8iFXnE+mavh23GOt7wBgug==
1820 |
1821 | nice-try@^1.0.4:
1822 | version "1.0.5"
1823 | resolved "https://registry.yarnpkg.com/nice-try/-/nice-try-1.0.5.tgz#a3378a7696ce7d223e88fc9b764bd7ef1089e366"
1824 | integrity sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==
1825 |
1826 | nise@^1.5.2:
1827 | version "1.5.2"
1828 | resolved "https://registry.yarnpkg.com/nise/-/nise-1.5.2.tgz#b6d29af10e48b321b307e10e065199338eeb2652"
1829 | integrity sha512-/6RhOUlicRCbE9s+94qCUsyE+pKlVJ5AhIv+jEE7ESKwnbXqulKZ1FYU+XAtHHWE9TinYvAxDUJAb912PwPoWA==
1830 | dependencies:
1831 | "@sinonjs/formatio" "^3.2.1"
1832 | "@sinonjs/text-encoding" "^0.7.1"
1833 | just-extend "^4.0.2"
1834 | lolex "^4.1.0"
1835 | path-to-regexp "^1.7.0"
1836 |
1837 | node-environment-flags@1.0.5:
1838 | version "1.0.5"
1839 | resolved "https://registry.yarnpkg.com/node-environment-flags/-/node-environment-flags-1.0.5.tgz#fa930275f5bf5dae188d6192b24b4c8bbac3d76a"
1840 | integrity sha512-VNYPRfGfmZLx0Ye20jWzHUjyTW/c+6Wq+iLhDzUI4XmhrDd9l/FozXV3F2xOaXjvp0co0+v1YSR3CMP6g+VvLQ==
1841 | dependencies:
1842 | object.getownpropertydescriptors "^2.0.3"
1843 | semver "^5.7.0"
1844 |
1845 | normalize-package-data@^2.3.2, normalize-package-data@^2.5.0:
1846 | version "2.5.0"
1847 | resolved "https://registry.yarnpkg.com/normalize-package-data/-/normalize-package-data-2.5.0.tgz#e66db1838b200c1dfc233225d12cb36520e234a8"
1848 | integrity sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==
1849 | dependencies:
1850 | hosted-git-info "^2.1.4"
1851 | resolve "^1.10.0"
1852 | semver "2 || 3 || 4 || 5"
1853 | validate-npm-package-license "^3.0.1"
1854 |
1855 | npm-run-path@^2.0.0:
1856 | version "2.0.2"
1857 | resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-2.0.2.tgz#35a9232dfa35d7067b4cb2ddf2357b1871536c5f"
1858 | integrity sha1-NakjLfo11wZ7TLLd8jV7GHFTbF8=
1859 | dependencies:
1860 | path-key "^2.0.0"
1861 |
1862 | nyc@^14.1.1:
1863 | version "14.1.1"
1864 | resolved "https://registry.yarnpkg.com/nyc/-/nyc-14.1.1.tgz#151d64a6a9f9f5908a1b73233931e4a0a3075eeb"
1865 | integrity sha512-OI0vm6ZGUnoGZv/tLdZ2esSVzDwUC88SNs+6JoSOMVxA+gKMB8Tk7jBwgemLx4O40lhhvZCVw1C+OYLOBOPXWw==
1866 | dependencies:
1867 | archy "^1.0.0"
1868 | caching-transform "^3.0.2"
1869 | convert-source-map "^1.6.0"
1870 | cp-file "^6.2.0"
1871 | find-cache-dir "^2.1.0"
1872 | find-up "^3.0.0"
1873 | foreground-child "^1.5.6"
1874 | glob "^7.1.3"
1875 | istanbul-lib-coverage "^2.0.5"
1876 | istanbul-lib-hook "^2.0.7"
1877 | istanbul-lib-instrument "^3.3.0"
1878 | istanbul-lib-report "^2.0.8"
1879 | istanbul-lib-source-maps "^3.0.6"
1880 | istanbul-reports "^2.2.4"
1881 | js-yaml "^3.13.1"
1882 | make-dir "^2.1.0"
1883 | merge-source-map "^1.1.0"
1884 | resolve-from "^4.0.0"
1885 | rimraf "^2.6.3"
1886 | signal-exit "^3.0.2"
1887 | spawn-wrap "^1.4.2"
1888 | test-exclude "^5.2.3"
1889 | uuid "^3.3.2"
1890 | yargs "^13.2.2"
1891 | yargs-parser "^13.0.0"
1892 |
1893 | oauth-sign@~0.9.0:
1894 | version "0.9.0"
1895 | resolved "https://registry.yarnpkg.com/oauth-sign/-/oauth-sign-0.9.0.tgz#47a7b016baa68b5fa0ecf3dee08a85c679ac6455"
1896 | integrity sha512-fexhUFFPTGV8ybAtSIGbV6gOkSv8UtRbDBnAyLQw4QPKkgNlsH2ByPGtMUqdWkos6YCRmAqViwgZrJc/mRDzZQ==
1897 |
1898 | object-inspect@^1.6.0:
1899 | version "1.6.0"
1900 | resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.6.0.tgz#c70b6cbf72f274aab4c34c0c82f5167bf82cf15b"
1901 | integrity sha512-GJzfBZ6DgDAmnuaM3104jR4s1Myxr3Y3zfIyN4z3UdqN69oSRacNK8UhnobDdC+7J2AHCjGwxQubNJfE70SXXQ==
1902 |
1903 | object-keys@^1.0.11, object-keys@^1.0.12, object-keys@^1.1.1:
1904 | version "1.1.1"
1905 | resolved "https://registry.yarnpkg.com/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e"
1906 | integrity sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==
1907 |
1908 | object.assign@4.1.0, object.assign@^4.1.0:
1909 | version "4.1.0"
1910 | resolved "https://registry.yarnpkg.com/object.assign/-/object.assign-4.1.0.tgz#968bf1100d7956bb3ca086f006f846b3bc4008da"
1911 | integrity sha512-exHJeq6kBKj58mqGyTQ9DFvrZC/eR6OwxzoM9YRoGBqrXYonaFyGiFMuc9VZrXf7DarreEwMpurG3dd+CNyW5w==
1912 | dependencies:
1913 | define-properties "^1.1.2"
1914 | function-bind "^1.1.1"
1915 | has-symbols "^1.0.0"
1916 | object-keys "^1.0.11"
1917 |
1918 | object.entries@^1.1.0:
1919 | version "1.1.0"
1920 | resolved "https://registry.yarnpkg.com/object.entries/-/object.entries-1.1.0.tgz#2024fc6d6ba246aee38bdb0ffd5cfbcf371b7519"
1921 | integrity sha512-l+H6EQ8qzGRxbkHOd5I/aHRhHDKoQXQ8g0BYt4uSweQU1/J6dZUOyWh9a2Vky35YCKjzmgxOzta2hH6kf9HuXA==
1922 | dependencies:
1923 | define-properties "^1.1.3"
1924 | es-abstract "^1.12.0"
1925 | function-bind "^1.1.1"
1926 | has "^1.0.3"
1927 |
1928 | object.getownpropertydescriptors@^2.0.3:
1929 | version "2.0.3"
1930 | resolved "https://registry.yarnpkg.com/object.getownpropertydescriptors/-/object.getownpropertydescriptors-2.0.3.tgz#8758c846f5b407adab0f236e0986f14b051caa16"
1931 | integrity sha1-h1jIRvW0B62rDyNuCYbxSwUcqhY=
1932 | dependencies:
1933 | define-properties "^1.1.2"
1934 | es-abstract "^1.5.1"
1935 |
1936 | object.values@^1.1.0:
1937 | version "1.1.0"
1938 | resolved "https://registry.yarnpkg.com/object.values/-/object.values-1.1.0.tgz#bf6810ef5da3e5325790eaaa2be213ea84624da9"
1939 | integrity sha512-8mf0nKLAoFX6VlNVdhGj31SVYpaNFtUnuoOXWyFEstsWRgU837AK+JYM0iAxwkSzGRbwn8cbFmgbyxj1j4VbXg==
1940 | dependencies:
1941 | define-properties "^1.1.3"
1942 | es-abstract "^1.12.0"
1943 | function-bind "^1.1.1"
1944 | has "^1.0.3"
1945 |
1946 | on-finished@~2.3.0:
1947 | version "2.3.0"
1948 | resolved "https://registry.yarnpkg.com/on-finished/-/on-finished-2.3.0.tgz#20f1336481b083cd75337992a16971aa2d906947"
1949 | integrity sha1-IPEzZIGwg811M3mSoWlxqi2QaUc=
1950 | dependencies:
1951 | ee-first "1.1.1"
1952 |
1953 | once@^1.3.0, once@^1.3.1, once@^1.4.0:
1954 | version "1.4.0"
1955 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1"
1956 | integrity sha1-WDsap3WWHUsROsF9nFC6753Xa9E=
1957 | dependencies:
1958 | wrappy "1"
1959 |
1960 | onetime@^2.0.0:
1961 | version "2.0.1"
1962 | resolved "https://registry.yarnpkg.com/onetime/-/onetime-2.0.1.tgz#067428230fd67443b2794b22bba528b6867962d4"
1963 | integrity sha1-BnQoIw/WdEOyeUsiu6UotoZ5YtQ=
1964 | dependencies:
1965 | mimic-fn "^1.0.0"
1966 |
1967 | opencollective-postinstall@^2.0.2:
1968 | version "2.0.2"
1969 | resolved "https://registry.yarnpkg.com/opencollective-postinstall/-/opencollective-postinstall-2.0.2.tgz#5657f1bede69b6e33a45939b061eb53d3c6c3a89"
1970 | integrity sha512-pVOEP16TrAO2/fjej1IdOyupJY8KDUM1CvsaScRbw6oddvpQoOfGk4ywha0HKKVAD6RkW4x6Q+tNBwhf3Bgpuw==
1971 |
1972 | optimist@^0.6.1:
1973 | version "0.6.1"
1974 | resolved "https://registry.yarnpkg.com/optimist/-/optimist-0.6.1.tgz#da3ea74686fa21a19a111c326e90eb15a0196686"
1975 | integrity sha1-2j6nRob6IaGaERwybpDrFaAZZoY=
1976 | dependencies:
1977 | minimist "~0.0.1"
1978 | wordwrap "~0.0.2"
1979 |
1980 | optionator@^0.8.2:
1981 | version "0.8.2"
1982 | resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.8.2.tgz#364c5e409d3f4d6301d6c0b4c05bba50180aeb64"
1983 | integrity sha1-NkxeQJ0/TWMB1sC0wFu6UBgK62Q=
1984 | dependencies:
1985 | deep-is "~0.1.3"
1986 | fast-levenshtein "~2.0.4"
1987 | levn "~0.3.0"
1988 | prelude-ls "~1.1.2"
1989 | type-check "~0.3.2"
1990 | wordwrap "~1.0.0"
1991 |
1992 | os-homedir@^1.0.1:
1993 | version "1.0.2"
1994 | resolved "https://registry.yarnpkg.com/os-homedir/-/os-homedir-1.0.2.tgz#ffbc4988336e0e833de0c168c7ef152121aa7fb3"
1995 | integrity sha1-/7xJiDNuDoM94MFox+8VISGqf7M=
1996 |
1997 | os-tmpdir@~1.0.2:
1998 | version "1.0.2"
1999 | resolved "https://registry.yarnpkg.com/os-tmpdir/-/os-tmpdir-1.0.2.tgz#bbe67406c79aa85c5cfec766fe5734555dfa1274"
2000 | integrity sha1-u+Z0BseaqFxc/sdm/lc0VV36EnQ=
2001 |
2002 | p-finally@^1.0.0:
2003 | version "1.0.0"
2004 | resolved "https://registry.yarnpkg.com/p-finally/-/p-finally-1.0.0.tgz#3fbcfb15b899a44123b34b6dcc18b724336a2cae"
2005 | integrity sha1-P7z7FbiZpEEjs0ttzBi3JDNqLK4=
2006 |
2007 | p-limit@^1.1.0:
2008 | version "1.3.0"
2009 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-1.3.0.tgz#b86bd5f0c25690911c7590fcbfc2010d54b3ccb8"
2010 | integrity sha512-vvcXsLAJ9Dr5rQOPk7toZQZJApBl2K4J6dANSsEuh6QI41JYcsS/qhTGa9ErIUUgK3WNQoJYvylxvjqmiqEA9Q==
2011 | dependencies:
2012 | p-try "^1.0.0"
2013 |
2014 | p-limit@^2.0.0, p-limit@^2.2.0:
2015 | version "2.2.1"
2016 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-2.2.1.tgz#aa07a788cc3151c939b5131f63570f0dd2009537"
2017 | integrity sha512-85Tk+90UCVWvbDavCLKPOLC9vvY8OwEX/RtKF+/1OADJMVlFfEHOiMTPVyxg7mk/dKa+ipdHm0OUkTvCpMTuwg==
2018 | dependencies:
2019 | p-try "^2.0.0"
2020 |
2021 | p-locate@^2.0.0:
2022 | version "2.0.0"
2023 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-2.0.0.tgz#20a0103b222a70c8fd39cc2e580680f3dde5ec43"
2024 | integrity sha1-IKAQOyIqcMj9OcwuWAaA893l7EM=
2025 | dependencies:
2026 | p-limit "^1.1.0"
2027 |
2028 | p-locate@^3.0.0:
2029 | version "3.0.0"
2030 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-3.0.0.tgz#322d69a05c0264b25997d9f40cd8a891ab0064a4"
2031 | integrity sha512-x+12w/To+4GFfgJhBEpiDcLozRJGegY+Ei7/z0tSLkMmxGZNybVMSfWj9aJn8Z5Fc7dBUNJOOVgPv2H7IwulSQ==
2032 | dependencies:
2033 | p-limit "^2.0.0"
2034 |
2035 | p-locate@^4.1.0:
2036 | version "4.1.0"
2037 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-4.1.0.tgz#a3428bb7088b3a60292f66919278b7c297ad4f07"
2038 | integrity sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==
2039 | dependencies:
2040 | p-limit "^2.2.0"
2041 |
2042 | p-try@^1.0.0:
2043 | version "1.0.0"
2044 | resolved "https://registry.yarnpkg.com/p-try/-/p-try-1.0.0.tgz#cbc79cdbaf8fd4228e13f621f2b1a237c1b207b3"
2045 | integrity sha1-y8ec26+P1CKOE/Yh8rGiN8GyB7M=
2046 |
2047 | p-try@^2.0.0:
2048 | version "2.2.0"
2049 | resolved "https://registry.yarnpkg.com/p-try/-/p-try-2.2.0.tgz#cb2868540e313d61de58fafbe35ce9004d5540e6"
2050 | integrity sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==
2051 |
2052 | package-hash@^3.0.0:
2053 | version "3.0.0"
2054 | resolved "https://registry.yarnpkg.com/package-hash/-/package-hash-3.0.0.tgz#50183f2d36c9e3e528ea0a8605dff57ce976f88e"
2055 | integrity sha512-lOtmukMDVvtkL84rJHI7dpTYq+0rli8N2wlnqUcBuDWCfVhRUfOmnR9SsoHFMLpACvEV60dX7rd0rFaYDZI+FA==
2056 | dependencies:
2057 | graceful-fs "^4.1.15"
2058 | hasha "^3.0.0"
2059 | lodash.flattendeep "^4.4.0"
2060 | release-zalgo "^1.0.0"
2061 |
2062 | parent-module@^1.0.0:
2063 | version "1.0.1"
2064 | resolved "https://registry.yarnpkg.com/parent-module/-/parent-module-1.0.1.tgz#691d2709e78c79fae3a156622452d00762caaaa2"
2065 | integrity sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==
2066 | dependencies:
2067 | callsites "^3.0.0"
2068 |
2069 | parse-json@^2.2.0:
2070 | version "2.2.0"
2071 | resolved "https://registry.yarnpkg.com/parse-json/-/parse-json-2.2.0.tgz#f480f40434ef80741f8469099f8dea18f55a4dc9"
2072 | integrity sha1-9ID0BDTvgHQfhGkJn43qGPVaTck=
2073 | dependencies:
2074 | error-ex "^1.2.0"
2075 |
2076 | parse-json@^4.0.0:
2077 | version "4.0.0"
2078 | resolved "https://registry.yarnpkg.com/parse-json/-/parse-json-4.0.0.tgz#be35f5425be1f7f6c747184f98a788cb99477ee0"
2079 | integrity sha1-vjX1Qlvh9/bHRxhPmKeIy5lHfuA=
2080 | dependencies:
2081 | error-ex "^1.3.1"
2082 | json-parse-better-errors "^1.0.1"
2083 |
2084 | parse-json@^5.0.0:
2085 | version "5.0.0"
2086 | resolved "https://registry.yarnpkg.com/parse-json/-/parse-json-5.0.0.tgz#73e5114c986d143efa3712d4ea24db9a4266f60f"
2087 | integrity sha512-OOY5b7PAEFV0E2Fir1KOkxchnZNCdowAJgQ5NuxjpBKTRP3pQhwkrkxqQjeoKJ+fO7bCpmIZaogI4eZGDMEGOw==
2088 | dependencies:
2089 | "@babel/code-frame" "^7.0.0"
2090 | error-ex "^1.3.1"
2091 | json-parse-better-errors "^1.0.1"
2092 | lines-and-columns "^1.1.6"
2093 |
2094 | parseurl@~1.3.3:
2095 | version "1.3.3"
2096 | resolved "https://registry.yarnpkg.com/parseurl/-/parseurl-1.3.3.tgz#9da19e7bee8d12dff0513ed5b76957793bc2e8d4"
2097 | integrity sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==
2098 |
2099 | path-exists@^3.0.0:
2100 | version "3.0.0"
2101 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-3.0.0.tgz#ce0ebeaa5f78cb18925ea7d810d7b59b010fd515"
2102 | integrity sha1-zg6+ql94yxiSXqfYENe1mwEP1RU=
2103 |
2104 | path-exists@^4.0.0:
2105 | version "4.0.0"
2106 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-4.0.0.tgz#513bdbe2d3b95d7762e8c1137efa195c6c61b5b3"
2107 | integrity sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==
2108 |
2109 | path-is-absolute@^1.0.0:
2110 | version "1.0.1"
2111 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f"
2112 | integrity sha1-F0uSaHNVNP+8es5r9TpanhtcX18=
2113 |
2114 | path-key@^2.0.0, path-key@^2.0.1:
2115 | version "2.0.1"
2116 | resolved "https://registry.yarnpkg.com/path-key/-/path-key-2.0.1.tgz#411cadb574c5a140d3a4b1910d40d80cc9f40b40"
2117 | integrity sha1-QRyttXTFoUDTpLGRDUDYDMn0C0A=
2118 |
2119 | path-parse@^1.0.6:
2120 | version "1.0.6"
2121 | resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.6.tgz#d62dbb5679405d72c4737ec58600e9ddcf06d24c"
2122 | integrity sha512-GSmOT2EbHrINBf9SR7CDELwlJ8AENk3Qn7OikK4nFYAu3Ote2+JYNVvkpAEQm3/TLNEJFD/xZJjzyxg3KBWOzw==
2123 |
2124 | path-to-regexp@0.1.7:
2125 | version "0.1.7"
2126 | resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-0.1.7.tgz#df604178005f522f15eb4490e7247a1bfaa67f8c"
2127 | integrity sha1-32BBeABfUi8V60SQ5yR6G/qmf4w=
2128 |
2129 | path-to-regexp@^1.7.0:
2130 | version "1.7.0"
2131 | resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-1.7.0.tgz#59fde0f435badacba103a84e9d3bc64e96b9937d"
2132 | integrity sha1-Wf3g9DW62suhA6hOnTvGTpa5k30=
2133 | dependencies:
2134 | isarray "0.0.1"
2135 |
2136 | path-type@^2.0.0:
2137 | version "2.0.0"
2138 | resolved "https://registry.yarnpkg.com/path-type/-/path-type-2.0.0.tgz#f012ccb8415b7096fc2daa1054c3d72389594c73"
2139 | integrity sha1-8BLMuEFbcJb8LaoQVMPXI4lZTHM=
2140 | dependencies:
2141 | pify "^2.0.0"
2142 |
2143 | path-type@^3.0.0:
2144 | version "3.0.0"
2145 | resolved "https://registry.yarnpkg.com/path-type/-/path-type-3.0.0.tgz#cef31dc8e0a1a3bb0d105c0cd97cf3bf47f4e36f"
2146 | integrity sha512-T2ZUsdZFHgA3u4e5PfPbjd7HDDpxPnQb5jN0SrDsjNSuVXHJqtwTnWqG0B1jZrgmJ/7lj1EmVIByWt1gxGkWvg==
2147 | dependencies:
2148 | pify "^3.0.0"
2149 |
2150 | pathval@^1.1.0:
2151 | version "1.1.0"
2152 | resolved "https://registry.yarnpkg.com/pathval/-/pathval-1.1.0.tgz#b942e6d4bde653005ef6b71361def8727d0645e0"
2153 | integrity sha1-uULm1L3mUwBe9rcTYd74cn0GReA=
2154 |
2155 | performance-now@^2.1.0:
2156 | version "2.1.0"
2157 | resolved "https://registry.yarnpkg.com/performance-now/-/performance-now-2.1.0.tgz#6309f4e0e5fa913ec1c69307ae364b4b377c9e7b"
2158 | integrity sha1-Ywn04OX6kT7BxpMHrjZLSzd8nns=
2159 |
2160 | pify@^2.0.0:
2161 | version "2.3.0"
2162 | resolved "https://registry.yarnpkg.com/pify/-/pify-2.3.0.tgz#ed141a6ac043a849ea588498e7dca8b15330e90c"
2163 | integrity sha1-7RQaasBDqEnqWISY59yosVMw6Qw=
2164 |
2165 | pify@^3.0.0:
2166 | version "3.0.0"
2167 | resolved "https://registry.yarnpkg.com/pify/-/pify-3.0.0.tgz#e5a4acd2c101fdf3d9a4d07f0dbc4db49dd28176"
2168 | integrity sha1-5aSs0sEB/fPZpNB/DbxNtJ3SgXY=
2169 |
2170 | pify@^4.0.1:
2171 | version "4.0.1"
2172 | resolved "https://registry.yarnpkg.com/pify/-/pify-4.0.1.tgz#4b2cd25c50d598735c50292224fd8c6df41e3231"
2173 | integrity sha512-uB80kBFb/tfd68bVleG9T5GGsGPjJrLAUpR5PZIrhBnIaRTQRjqdJSsIKkOP6OAIFbj7GOrcudc5pNjZ+geV2g==
2174 |
2175 | pkg-dir@^2.0.0:
2176 | version "2.0.0"
2177 | resolved "https://registry.yarnpkg.com/pkg-dir/-/pkg-dir-2.0.0.tgz#f6d5d1109e19d63edf428e0bd57e12777615334b"
2178 | integrity sha1-9tXREJ4Z1j7fQo4L1X4Sd3YVM0s=
2179 | dependencies:
2180 | find-up "^2.1.0"
2181 |
2182 | pkg-dir@^3.0.0:
2183 | version "3.0.0"
2184 | resolved "https://registry.yarnpkg.com/pkg-dir/-/pkg-dir-3.0.0.tgz#2749020f239ed990881b1f71210d51eb6523bea3"
2185 | integrity sha512-/E57AYkoeQ25qkxMj5PBOVgF8Kiu/h7cYS30Z5+R7WaiCCBfLq58ZI/dSeaEKb9WVJV5n/03QwrN3IeWIFllvw==
2186 | dependencies:
2187 | find-up "^3.0.0"
2188 |
2189 | pkg-dir@^4.2.0:
2190 | version "4.2.0"
2191 | resolved "https://registry.yarnpkg.com/pkg-dir/-/pkg-dir-4.2.0.tgz#f099133df7ede422e81d1d8448270eeb3e4261f3"
2192 | integrity sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==
2193 | dependencies:
2194 | find-up "^4.0.0"
2195 |
2196 | please-upgrade-node@^3.2.0:
2197 | version "3.2.0"
2198 | resolved "https://registry.yarnpkg.com/please-upgrade-node/-/please-upgrade-node-3.2.0.tgz#aeddd3f994c933e4ad98b99d9a556efa0e2fe942"
2199 | integrity sha512-gQR3WpIgNIKwBMVLkpMUeR3e1/E1y42bqDQZfql+kDeXd8COYfM8PQA4X6y7a8u9Ua9FHmsrrmirW2vHs45hWg==
2200 | dependencies:
2201 | semver-compare "^1.0.0"
2202 |
2203 | prelude-ls@~1.1.2:
2204 | version "1.1.2"
2205 | resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.1.2.tgz#21932a549f5e52ffd9a827f570e04be62a97da54"
2206 | integrity sha1-IZMqVJ9eUv/ZqCf1cOBL5iqX2lQ=
2207 |
2208 | progress@^2.0.0:
2209 | version "2.0.3"
2210 | resolved "https://registry.yarnpkg.com/progress/-/progress-2.0.3.tgz#7e8cf8d8f5b8f239c1bc68beb4eb78567d572ef8"
2211 | integrity sha512-7PiHtLll5LdnKIMw100I+8xJXR5gW2QwWYkT6iJva0bXitZKa/XMrSbdmg3r2Xnaidz9Qumd0VPaMrZlF9V9sA==
2212 |
2213 | proxy-addr@~2.0.5:
2214 | version "2.0.5"
2215 | resolved "https://registry.yarnpkg.com/proxy-addr/-/proxy-addr-2.0.5.tgz#34cbd64a2d81f4b1fd21e76f9f06c8a45299ee34"
2216 | integrity sha512-t/7RxHXPH6cJtP0pRG6smSr9QJidhB+3kXu0KgXnbGYMgzEnUxRQ4/LDdfOwZEMyIh3/xHb8PX3t+lfL9z+YVQ==
2217 | dependencies:
2218 | forwarded "~0.1.2"
2219 | ipaddr.js "1.9.0"
2220 |
2221 | pseudomap@^1.0.2:
2222 | version "1.0.2"
2223 | resolved "https://registry.yarnpkg.com/pseudomap/-/pseudomap-1.0.2.tgz#f052a28da70e618917ef0a8ac34c1ae5a68286b3"
2224 | integrity sha1-8FKijacOYYkX7wqKw0wa5aaChrM=
2225 |
2226 | psl@^1.1.24:
2227 | version "1.4.0"
2228 | resolved "https://registry.yarnpkg.com/psl/-/psl-1.4.0.tgz#5dd26156cdb69fa1fdb8ab1991667d3f80ced7c2"
2229 | integrity sha512-HZzqCGPecFLyoRj5HLfuDSKYTJkAfB5thKBIkRHtGjWwY7p1dAyveIbXIq4tO0KYfDF2tHqPUgY9SDnGm00uFw==
2230 |
2231 | pump@^3.0.0:
2232 | version "3.0.0"
2233 | resolved "https://registry.yarnpkg.com/pump/-/pump-3.0.0.tgz#b4a2116815bde2f4e1ea602354e8c75565107a64"
2234 | integrity sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==
2235 | dependencies:
2236 | end-of-stream "^1.1.0"
2237 | once "^1.3.1"
2238 |
2239 | punycode@1.3.2:
2240 | version "1.3.2"
2241 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.3.2.tgz#9653a036fb7c1ee42342f2325cceefea3926c48d"
2242 | integrity sha1-llOgNvt8HuQjQvIyXM7v6jkmxI0=
2243 |
2244 | punycode@^1.4.1:
2245 | version "1.4.1"
2246 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.4.1.tgz#c0d5a63b2718800ad8e1eb0fa5269c84dd41845e"
2247 | integrity sha1-wNWmOycYgArY4esPpSachN1BhF4=
2248 |
2249 | punycode@^2.1.0:
2250 | version "2.1.1"
2251 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.1.1.tgz#b58b010ac40c22c5657616c8d2c2c02c7bf479ec"
2252 | integrity sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==
2253 |
2254 | qs@6.7.0:
2255 | version "6.7.0"
2256 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.7.0.tgz#41dc1a015e3d581f1621776be31afb2876a9b1bc"
2257 | integrity sha512-VCdBRNFTX1fyE7Nb6FYoURo/SPe62QCaAyzJvUjwRaIsc+NePBEniHlvxFmmX56+HZphIGtV0XeCirBtpDrTyQ==
2258 |
2259 | qs@6.9.0:
2260 | version "6.9.0"
2261 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.9.0.tgz#d1297e2a049c53119cb49cca366adbbacc80b409"
2262 | integrity sha512-27RP4UotQORTpmNQDX8BHPukOnBP3p1uUJY5UnDhaJB+rMt9iMsok724XL+UHU23bEFOHRMQ2ZhI99qOWUMGFA==
2263 |
2264 | qs@~6.5.2:
2265 | version "6.5.2"
2266 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.5.2.tgz#cb3ae806e8740444584ef154ce8ee98d403f3e36"
2267 | integrity sha512-N5ZAX4/LxJmF+7wN74pUD6qAh9/wnvdQcjq9TZjevvXzSUo7bfmw91saqMjzGS2xq91/odN2dW/WOl7qQHNDGA==
2268 |
2269 | querystring@0.2.0:
2270 | version "0.2.0"
2271 | resolved "https://registry.yarnpkg.com/querystring/-/querystring-0.2.0.tgz#b209849203bb25df820da756e747005878521620"
2272 | integrity sha1-sgmEkgO7Jd+CDadW50cAWHhSFiA=
2273 |
2274 | range-parser@~1.2.1:
2275 | version "1.2.1"
2276 | resolved "https://registry.yarnpkg.com/range-parser/-/range-parser-1.2.1.tgz#3cf37023d199e1c24d1a55b84800c2f3e6468031"
2277 | integrity sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==
2278 |
2279 | raw-body@2.4.0:
2280 | version "2.4.0"
2281 | resolved "https://registry.yarnpkg.com/raw-body/-/raw-body-2.4.0.tgz#a1ce6fb9c9bc356ca52e89256ab59059e13d0332"
2282 | integrity sha512-4Oz8DUIwdvoa5qMJelxipzi/iJIi40O5cGV1wNYp5hvZP8ZN0T+jiNkL0QepXs+EsQ9XJ8ipEDoiH70ySUJP3Q==
2283 | dependencies:
2284 | bytes "3.1.0"
2285 | http-errors "1.7.2"
2286 | iconv-lite "0.4.24"
2287 | unpipe "1.0.0"
2288 |
2289 | read-pkg-up@^2.0.0:
2290 | version "2.0.0"
2291 | resolved "https://registry.yarnpkg.com/read-pkg-up/-/read-pkg-up-2.0.0.tgz#6b72a8048984e0c41e79510fd5e9fa99b3b549be"
2292 | integrity sha1-a3KoBImE4MQeeVEP1en6mbO1Sb4=
2293 | dependencies:
2294 | find-up "^2.0.0"
2295 | read-pkg "^2.0.0"
2296 |
2297 | read-pkg-up@^4.0.0:
2298 | version "4.0.0"
2299 | resolved "https://registry.yarnpkg.com/read-pkg-up/-/read-pkg-up-4.0.0.tgz#1b221c6088ba7799601c808f91161c66e58f8978"
2300 | integrity sha512-6etQSH7nJGsK0RbG/2TeDzZFa8shjQ1um+SwQQ5cwKy0dhSXdOncEhb1CPpvQG4h7FyOV6EB6YlV0yJvZQNAkA==
2301 | dependencies:
2302 | find-up "^3.0.0"
2303 | read-pkg "^3.0.0"
2304 |
2305 | read-pkg@^2.0.0:
2306 | version "2.0.0"
2307 | resolved "https://registry.yarnpkg.com/read-pkg/-/read-pkg-2.0.0.tgz#8ef1c0623c6a6db0dc6713c4bfac46332b2368f8"
2308 | integrity sha1-jvHAYjxqbbDcZxPEv6xGMysjaPg=
2309 | dependencies:
2310 | load-json-file "^2.0.0"
2311 | normalize-package-data "^2.3.2"
2312 | path-type "^2.0.0"
2313 |
2314 | read-pkg@^3.0.0:
2315 | version "3.0.0"
2316 | resolved "https://registry.yarnpkg.com/read-pkg/-/read-pkg-3.0.0.tgz#9cbc686978fee65d16c00e2b19c237fcf6e38389"
2317 | integrity sha1-nLxoaXj+5l0WwA4rGcI3/Pbjg4k=
2318 | dependencies:
2319 | load-json-file "^4.0.0"
2320 | normalize-package-data "^2.3.2"
2321 | path-type "^3.0.0"
2322 |
2323 | read-pkg@^5.1.1:
2324 | version "5.2.0"
2325 | resolved "https://registry.yarnpkg.com/read-pkg/-/read-pkg-5.2.0.tgz#7bf295438ca5a33e56cd30e053b34ee7250c93cc"
2326 | integrity sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==
2327 | dependencies:
2328 | "@types/normalize-package-data" "^2.4.0"
2329 | normalize-package-data "^2.5.0"
2330 | parse-json "^5.0.0"
2331 | type-fest "^0.6.0"
2332 |
2333 | regexpp@^2.0.1:
2334 | version "2.0.1"
2335 | resolved "https://registry.yarnpkg.com/regexpp/-/regexpp-2.0.1.tgz#8d19d31cf632482b589049f8281f93dbcba4d07f"
2336 | integrity sha512-lv0M6+TkDVniA3aD1Eg0DVpfU/booSu7Eev3TDO/mZKHBfVjgCGTV4t4buppESEYDtkArYFOxTJWv6S5C+iaNw==
2337 |
2338 | release-zalgo@^1.0.0:
2339 | version "1.0.0"
2340 | resolved "https://registry.yarnpkg.com/release-zalgo/-/release-zalgo-1.0.0.tgz#09700b7e5074329739330e535c5a90fb67851730"
2341 | integrity sha1-CXALflB0Mpc5Mw5TXFqQ+2eFFzA=
2342 | dependencies:
2343 | es6-error "^4.0.1"
2344 |
2345 | request@^2.86.0:
2346 | version "2.88.0"
2347 | resolved "https://registry.yarnpkg.com/request/-/request-2.88.0.tgz#9c2fca4f7d35b592efe57c7f0a55e81052124fef"
2348 | integrity sha512-NAqBSrijGLZdM0WZNsInLJpkJokL72XYjUpnB0iwsRgxh7dB6COrHnTBNwN0E+lHDAJzu7kLAkDeY08z2/A0hg==
2349 | dependencies:
2350 | aws-sign2 "~0.7.0"
2351 | aws4 "^1.8.0"
2352 | caseless "~0.12.0"
2353 | combined-stream "~1.0.6"
2354 | extend "~3.0.2"
2355 | forever-agent "~0.6.1"
2356 | form-data "~2.3.2"
2357 | har-validator "~5.1.0"
2358 | http-signature "~1.2.0"
2359 | is-typedarray "~1.0.0"
2360 | isstream "~0.1.2"
2361 | json-stringify-safe "~5.0.1"
2362 | mime-types "~2.1.19"
2363 | oauth-sign "~0.9.0"
2364 | performance-now "^2.1.0"
2365 | qs "~6.5.2"
2366 | safe-buffer "^5.1.2"
2367 | tough-cookie "~2.4.3"
2368 | tunnel-agent "^0.6.0"
2369 | uuid "^3.3.2"
2370 |
2371 | require-directory@^2.1.1:
2372 | version "2.1.1"
2373 | resolved "https://registry.yarnpkg.com/require-directory/-/require-directory-2.1.1.tgz#8c64ad5fd30dab1c976e2344ffe7f792a6a6df42"
2374 | integrity sha1-jGStX9MNqxyXbiNE/+f3kqam30I=
2375 |
2376 | require-main-filename@^2.0.0:
2377 | version "2.0.0"
2378 | resolved "https://registry.yarnpkg.com/require-main-filename/-/require-main-filename-2.0.0.tgz#d0b329ecc7cc0f61649f62215be69af54aa8989b"
2379 | integrity sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==
2380 |
2381 | resolve-from@^3.0.0:
2382 | version "3.0.0"
2383 | resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-3.0.0.tgz#b22c7af7d9d6881bc8b6e653335eebcb0a188748"
2384 | integrity sha1-six699nWiBvItuZTM17rywoYh0g=
2385 |
2386 | resolve-from@^4.0.0:
2387 | version "4.0.0"
2388 | resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-4.0.0.tgz#4abcd852ad32dd7baabfe9b40e00a36db5f392e6"
2389 | integrity sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==
2390 |
2391 | resolve@^1.10.0, resolve@^1.11.0, resolve@^1.5.0:
2392 | version "1.12.0"
2393 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.12.0.tgz#3fc644a35c84a48554609ff26ec52b66fa577df6"
2394 | integrity sha512-B/dOmuoAik5bKcD6s6nXDCjzUKnaDvdkRyAk6rsmsKLipWj4797iothd7jmmUhWTfinVMU+wc56rYKsit2Qy4w==
2395 | dependencies:
2396 | path-parse "^1.0.6"
2397 |
2398 | restore-cursor@^2.0.0:
2399 | version "2.0.0"
2400 | resolved "https://registry.yarnpkg.com/restore-cursor/-/restore-cursor-2.0.0.tgz#9f7ee287f82fd326d4fd162923d62129eee0dfaf"
2401 | integrity sha1-n37ih/gv0ybU/RYpI9YhKe7g368=
2402 | dependencies:
2403 | onetime "^2.0.0"
2404 | signal-exit "^3.0.2"
2405 |
2406 | rimraf@2.6.3:
2407 | version "2.6.3"
2408 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.6.3.tgz#b2d104fe0d8fb27cf9e0a1cda8262dd3833c6cab"
2409 | integrity sha512-mwqeW5XsA2qAejG46gYdENaxXjx9onRNCfn7L0duuP4hCuTIi/QO7PDK07KJfp1d+izWPrzEJDcSqBa0OZQriA==
2410 | dependencies:
2411 | glob "^7.1.3"
2412 |
2413 | rimraf@^2.6.2, rimraf@^2.6.3:
2414 | version "2.7.1"
2415 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.7.1.tgz#35797f13a7fdadc566142c29d4f07ccad483e3ec"
2416 | integrity sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w==
2417 | dependencies:
2418 | glob "^7.1.3"
2419 |
2420 | run-async@^2.2.0:
2421 | version "2.3.0"
2422 | resolved "https://registry.yarnpkg.com/run-async/-/run-async-2.3.0.tgz#0371ab4ae0bdd720d4166d7dfda64ff7a445a6c0"
2423 | integrity sha1-A3GrSuC91yDUFm19/aZP96RFpsA=
2424 | dependencies:
2425 | is-promise "^2.1.0"
2426 |
2427 | run-node@^1.0.0:
2428 | version "1.0.0"
2429 | resolved "https://registry.yarnpkg.com/run-node/-/run-node-1.0.0.tgz#46b50b946a2aa2d4947ae1d886e9856fd9cabe5e"
2430 | integrity sha512-kc120TBlQ3mih1LSzdAJXo4xn/GWS2ec0l3S+syHDXP9uRr0JAT8Qd3mdMuyjqCzeZktgP3try92cEgf9Nks8A==
2431 |
2432 | rxjs@^6.4.0:
2433 | version "6.5.3"
2434 | resolved "https://registry.yarnpkg.com/rxjs/-/rxjs-6.5.3.tgz#510e26317f4db91a7eb1de77d9dd9ba0a4899a3a"
2435 | integrity sha512-wuYsAYYFdWTAnAaPoKGNhfpWwKZbJW+HgAJ+mImp+Epl7BG8oNWBCTyRM8gba9k4lk8BgWdoYm21Mo/RYhhbgA==
2436 | dependencies:
2437 | tslib "^1.9.0"
2438 |
2439 | safe-buffer@5.1.2, safe-buffer@~5.1.1:
2440 | version "5.1.2"
2441 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d"
2442 | integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==
2443 |
2444 | safe-buffer@^5.0.1, safe-buffer@^5.1.2:
2445 | version "5.2.0"
2446 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.0.tgz#b74daec49b1148f88c64b68d49b1e815c1f2f519"
2447 | integrity sha512-fZEwUGbVl7kouZs1jCdMLdt95hdIv0ZeHg6L7qPeciMZhZ+/gdesW4wgTARkrFWEpspjEATAzUGPG8N2jJiwbg==
2448 |
2449 | "safer-buffer@>= 2.1.2 < 3", safer-buffer@^2.0.2, safer-buffer@^2.1.0, safer-buffer@~2.1.0:
2450 | version "2.1.2"
2451 | resolved "https://registry.yarnpkg.com/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a"
2452 | integrity sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==
2453 |
2454 | semver-compare@^1.0.0:
2455 | version "1.0.0"
2456 | resolved "https://registry.yarnpkg.com/semver-compare/-/semver-compare-1.0.0.tgz#0dee216a1c941ab37e9efb1788f6afc5ff5537fc"
2457 | integrity sha1-De4hahyUGrN+nvsXiPavxf9VN/w=
2458 |
2459 | "semver@2 || 3 || 4 || 5", semver@^5.5.0, semver@^5.6.0, semver@^5.7.0:
2460 | version "5.7.1"
2461 | resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.1.tgz#a954f931aeba508d307bbf069eff0c01c96116f7"
2462 | integrity sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==
2463 |
2464 | semver@^6.0.0, semver@^6.1.2:
2465 | version "6.3.0"
2466 | resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.0.tgz#ee0a64c8af5e8ceea67687b133761e1becbd1d3d"
2467 | integrity sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==
2468 |
2469 | send@0.17.1:
2470 | version "0.17.1"
2471 | resolved "https://registry.yarnpkg.com/send/-/send-0.17.1.tgz#c1d8b059f7900f7466dd4938bdc44e11ddb376c8"
2472 | integrity sha512-BsVKsiGcQMFwT8UxypobUKyv7irCNRHk1T0G680vk88yf6LBByGcZJOTJCrTP2xVN6yI+XjPJcNuE3V4fT9sAg==
2473 | dependencies:
2474 | debug "2.6.9"
2475 | depd "~1.1.2"
2476 | destroy "~1.0.4"
2477 | encodeurl "~1.0.2"
2478 | escape-html "~1.0.3"
2479 | etag "~1.8.1"
2480 | fresh "0.5.2"
2481 | http-errors "~1.7.2"
2482 | mime "1.6.0"
2483 | ms "2.1.1"
2484 | on-finished "~2.3.0"
2485 | range-parser "~1.2.1"
2486 | statuses "~1.5.0"
2487 |
2488 | serve-static@1.14.1:
2489 | version "1.14.1"
2490 | resolved "https://registry.yarnpkg.com/serve-static/-/serve-static-1.14.1.tgz#666e636dc4f010f7ef29970a88a674320898b2f9"
2491 | integrity sha512-JMrvUwE54emCYWlTI+hGrGv5I8dEwmco/00EvkzIIsR7MqrHonbD9pO2MOfFnpFntl7ecpZs+3mW+XbQZu9QCg==
2492 | dependencies:
2493 | encodeurl "~1.0.2"
2494 | escape-html "~1.0.3"
2495 | parseurl "~1.3.3"
2496 | send "0.17.1"
2497 |
2498 | set-blocking@^2.0.0:
2499 | version "2.0.0"
2500 | resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7"
2501 | integrity sha1-BF+XgtARrppoA93TgrJDkrPYkPc=
2502 |
2503 | setprototypeof@1.1.1:
2504 | version "1.1.1"
2505 | resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.1.1.tgz#7e95acb24aa92f5885e0abef5ba131330d4ae683"
2506 | integrity sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw==
2507 |
2508 | shebang-command@^1.2.0:
2509 | version "1.2.0"
2510 | resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-1.2.0.tgz#44aac65b695b03398968c39f363fee5deafdf1ea"
2511 | integrity sha1-RKrGW2lbAzmJaMOfNj/uXer98eo=
2512 | dependencies:
2513 | shebang-regex "^1.0.0"
2514 |
2515 | shebang-regex@^1.0.0:
2516 | version "1.0.0"
2517 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-1.0.0.tgz#da42f49740c0b42db2ca9728571cb190c98efea3"
2518 | integrity sha1-2kL0l0DAtC2yypcoVxyxkMmO/qM=
2519 |
2520 | signal-exit@^3.0.0, signal-exit@^3.0.2:
2521 | version "3.0.2"
2522 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.2.tgz#b5fdc08f1287ea1178628e415e25132b73646c6d"
2523 | integrity sha1-tf3AjxKH6hF4Yo5BXiUTK3NkbG0=
2524 |
2525 | sinon@^7.5.0:
2526 | version "7.5.0"
2527 | resolved "https://registry.yarnpkg.com/sinon/-/sinon-7.5.0.tgz#e9488ea466070ea908fd44a3d6478fd4923c67ec"
2528 | integrity sha512-AoD0oJWerp0/rY9czP/D6hDTTUYGpObhZjMpd7Cl/A6+j0xBE+ayL/ldfggkBXUs0IkvIiM1ljM8+WkOc5k78Q==
2529 | dependencies:
2530 | "@sinonjs/commons" "^1.4.0"
2531 | "@sinonjs/formatio" "^3.2.1"
2532 | "@sinonjs/samsam" "^3.3.3"
2533 | diff "^3.5.0"
2534 | lolex "^4.2.0"
2535 | nise "^1.5.2"
2536 | supports-color "^5.5.0"
2537 |
2538 | slash@^3.0.0:
2539 | version "3.0.0"
2540 | resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634"
2541 | integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==
2542 |
2543 | slice-ansi@^2.1.0:
2544 | version "2.1.0"
2545 | resolved "https://registry.yarnpkg.com/slice-ansi/-/slice-ansi-2.1.0.tgz#cacd7693461a637a5788d92a7dd4fba068e81636"
2546 | integrity sha512-Qu+VC3EwYLldKa1fCxuuvULvSJOKEgk9pi8dZeCVK7TqBfUNTH4sFkk4joj8afVSfAYgJoSOetjx9QWOJ5mYoQ==
2547 | dependencies:
2548 | ansi-styles "^3.2.0"
2549 | astral-regex "^1.0.0"
2550 | is-fullwidth-code-point "^2.0.0"
2551 |
2552 | source-map@^0.5.0:
2553 | version "0.5.7"
2554 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.5.7.tgz#8a039d2d1021d22d1ea14c80d8ea468ba2ef3fcc"
2555 | integrity sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=
2556 |
2557 | source-map@^0.6.1, source-map@~0.6.1:
2558 | version "0.6.1"
2559 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.6.1.tgz#74722af32e9614e9c287a8d0bbde48b5e2f1a263"
2560 | integrity sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==
2561 |
2562 | spawn-wrap@^1.4.2:
2563 | version "1.4.3"
2564 | resolved "https://registry.yarnpkg.com/spawn-wrap/-/spawn-wrap-1.4.3.tgz#81b7670e170cca247d80bf5faf0cfb713bdcf848"
2565 | integrity sha512-IgB8md0QW/+tWqcavuFgKYR/qIRvJkRLPJDFaoXtLLUaVcCDK0+HeFTkmQHj3eprcYhc+gOl0aEA1w7qZlYezw==
2566 | dependencies:
2567 | foreground-child "^1.5.6"
2568 | mkdirp "^0.5.0"
2569 | os-homedir "^1.0.1"
2570 | rimraf "^2.6.2"
2571 | signal-exit "^3.0.2"
2572 | which "^1.3.0"
2573 |
2574 | spdx-correct@^3.0.0:
2575 | version "3.1.0"
2576 | resolved "https://registry.yarnpkg.com/spdx-correct/-/spdx-correct-3.1.0.tgz#fb83e504445268f154b074e218c87c003cd31df4"
2577 | integrity sha512-lr2EZCctC2BNR7j7WzJ2FpDznxky1sjfxvvYEyzxNyb6lZXHODmEoJeFu4JupYlkfha1KZpJyoqiJ7pgA1qq8Q==
2578 | dependencies:
2579 | spdx-expression-parse "^3.0.0"
2580 | spdx-license-ids "^3.0.0"
2581 |
2582 | spdx-exceptions@^2.1.0:
2583 | version "2.2.0"
2584 | resolved "https://registry.yarnpkg.com/spdx-exceptions/-/spdx-exceptions-2.2.0.tgz#2ea450aee74f2a89bfb94519c07fcd6f41322977"
2585 | integrity sha512-2XQACfElKi9SlVb1CYadKDXvoajPgBVPn/gOQLrTvHdElaVhr7ZEbqJaRnJLVNeaI4cMEAgVCeBMKF6MWRDCRA==
2586 |
2587 | spdx-expression-parse@^3.0.0:
2588 | version "3.0.0"
2589 | resolved "https://registry.yarnpkg.com/spdx-expression-parse/-/spdx-expression-parse-3.0.0.tgz#99e119b7a5da00e05491c9fa338b7904823b41d0"
2590 | integrity sha512-Yg6D3XpRD4kkOmTpdgbUiEJFKghJH03fiC1OPll5h/0sO6neh2jqRDVHOQ4o/LMea0tgCkbMgea5ip/e+MkWyg==
2591 | dependencies:
2592 | spdx-exceptions "^2.1.0"
2593 | spdx-license-ids "^3.0.0"
2594 |
2595 | spdx-license-ids@^3.0.0:
2596 | version "3.0.5"
2597 | resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-3.0.5.tgz#3694b5804567a458d3c8045842a6358632f62654"
2598 | integrity sha512-J+FWzZoynJEXGphVIS+XEh3kFSjZX/1i9gFBaWQcB+/tmpe2qUsSBABpcxqxnAxFdiUFEgAX1bjYGQvIZmoz9Q==
2599 |
2600 | sprintf-js@~1.0.2:
2601 | version "1.0.3"
2602 | resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.0.3.tgz#04e6926f662895354f3dd015203633b857297e2c"
2603 | integrity sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw=
2604 |
2605 | sshpk@^1.7.0:
2606 | version "1.16.1"
2607 | resolved "https://registry.yarnpkg.com/sshpk/-/sshpk-1.16.1.tgz#fb661c0bef29b39db40769ee39fa70093d6f6877"
2608 | integrity sha512-HXXqVUq7+pcKeLqqZj6mHFUMvXtOJt1uoUx09pFW6011inTMxqI8BA8PM95myrIyyKwdnzjdFjLiE6KBPVtJIg==
2609 | dependencies:
2610 | asn1 "~0.2.3"
2611 | assert-plus "^1.0.0"
2612 | bcrypt-pbkdf "^1.0.0"
2613 | dashdash "^1.12.0"
2614 | ecc-jsbn "~0.1.1"
2615 | getpass "^0.1.1"
2616 | jsbn "~0.1.0"
2617 | safer-buffer "^2.0.2"
2618 | tweetnacl "~0.14.0"
2619 |
2620 | "statuses@>= 1.5.0 < 2", statuses@~1.5.0:
2621 | version "1.5.0"
2622 | resolved "https://registry.yarnpkg.com/statuses/-/statuses-1.5.0.tgz#161c7dac177659fd9811f43771fa99381478628c"
2623 | integrity sha1-Fhx9rBd2Wf2YEfQ3cfqZOBR4Yow=
2624 |
2625 | "string-width@^1.0.2 || 2", string-width@^2.1.0:
2626 | version "2.1.1"
2627 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-2.1.1.tgz#ab93f27a8dc13d28cac815c462143a6d9012ae9e"
2628 | integrity sha512-nOqH59deCq9SRHlxq1Aw85Jnt4w6KvLKqWVik6oA9ZklXLNIOlqg4F2yrT1MVaTjAqvVwdfeZ7w7aCvJD7ugkw==
2629 | dependencies:
2630 | is-fullwidth-code-point "^2.0.0"
2631 | strip-ansi "^4.0.0"
2632 |
2633 | string-width@^3.0.0, string-width@^3.1.0:
2634 | version "3.1.0"
2635 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-3.1.0.tgz#22767be21b62af1081574306f69ac51b62203961"
2636 | integrity sha512-vafcv6KjVZKSgz06oM/H6GDBrAtz8vdhQakGjFIvNrHA6y3HCF1CInLy+QLq8dTJPQ1b+KDUqDFctkdRW44e1w==
2637 | dependencies:
2638 | emoji-regex "^7.0.1"
2639 | is-fullwidth-code-point "^2.0.0"
2640 | strip-ansi "^5.1.0"
2641 |
2642 | string.prototype.trimleft@^2.0.0:
2643 | version "2.1.0"
2644 | resolved "https://registry.yarnpkg.com/string.prototype.trimleft/-/string.prototype.trimleft-2.1.0.tgz#6cc47f0d7eb8d62b0f3701611715a3954591d634"
2645 | integrity sha512-FJ6b7EgdKxxbDxc79cOlok6Afd++TTs5szo+zJTUyow3ycrRfJVE2pq3vcN53XexvKZu/DJMDfeI/qMiZTrjTw==
2646 | dependencies:
2647 | define-properties "^1.1.3"
2648 | function-bind "^1.1.1"
2649 |
2650 | string.prototype.trimright@^2.0.0:
2651 | version "2.1.0"
2652 | resolved "https://registry.yarnpkg.com/string.prototype.trimright/-/string.prototype.trimright-2.1.0.tgz#669d164be9df9b6f7559fa8e89945b168a5a6c58"
2653 | integrity sha512-fXZTSV55dNBwv16uw+hh5jkghxSnc5oHq+5K/gXgizHwAvMetdAJlHqqoFC1FSDVPYWLkAKl2cxpUT41sV7nSg==
2654 | dependencies:
2655 | define-properties "^1.1.3"
2656 | function-bind "^1.1.1"
2657 |
2658 | strip-ansi@^4.0.0:
2659 | version "4.0.0"
2660 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-4.0.0.tgz#a8479022eb1ac368a871389b635262c505ee368f"
2661 | integrity sha1-qEeQIusaw2iocTibY1JixQXuNo8=
2662 | dependencies:
2663 | ansi-regex "^3.0.0"
2664 |
2665 | strip-ansi@^5.0.0, strip-ansi@^5.1.0, strip-ansi@^5.2.0:
2666 | version "5.2.0"
2667 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-5.2.0.tgz#8c9a536feb6afc962bdfa5b104a5091c1ad9c0ae"
2668 | integrity sha512-DuRs1gKbBqsMKIZlrffwlug8MHkcnpjs5VPmL1PAh+mA30U0DTotfDZ0d2UUsXpPmPmMMJ6W773MaA3J+lbiWA==
2669 | dependencies:
2670 | ansi-regex "^4.1.0"
2671 |
2672 | strip-bom@^3.0.0:
2673 | version "3.0.0"
2674 | resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-3.0.0.tgz#2334c18e9c759f7bdd56fdef7e9ae3d588e68ed3"
2675 | integrity sha1-IzTBjpx1n3vdVv3vfprj1YjmjtM=
2676 |
2677 | strip-eof@^1.0.0:
2678 | version "1.0.0"
2679 | resolved "https://registry.yarnpkg.com/strip-eof/-/strip-eof-1.0.0.tgz#bb43ff5598a6eb05d89b59fcd129c983313606bf"
2680 | integrity sha1-u0P/VZim6wXYm1n80SnJgzE2Br8=
2681 |
2682 | strip-json-comments@2.0.1:
2683 | version "2.0.1"
2684 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-2.0.1.tgz#3c531942e908c2697c0ec344858c286c7ca0a60a"
2685 | integrity sha1-PFMZQukIwml8DsNEhYwobHygpgo=
2686 |
2687 | strip-json-comments@^3.0.1:
2688 | version "3.0.1"
2689 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-3.0.1.tgz#85713975a91fb87bf1b305cca77395e40d2a64a7"
2690 | integrity sha512-VTyMAUfdm047mwKl+u79WIdrZxtFtn+nBxHeb844XBQ9uMNTuTHdx2hc5RiAJYqwTj3wc/xe5HLSdJSkJ+WfZw==
2691 |
2692 | supports-color@6.0.0:
2693 | version "6.0.0"
2694 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-6.0.0.tgz#76cfe742cf1f41bb9b1c29ad03068c05b4c0e40a"
2695 | integrity sha512-on9Kwidc1IUQo+bQdhi8+Tijpo0e1SS6RoGo2guUwn5vdaxw8RXOF9Vb2ws+ihWOmh4JnCJOvaziZWP1VABaLg==
2696 | dependencies:
2697 | has-flag "^3.0.0"
2698 |
2699 | supports-color@^5.3.0, supports-color@^5.5.0:
2700 | version "5.5.0"
2701 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-5.5.0.tgz#e2e69a44ac8772f78a1ec0b35b689df6530efc8f"
2702 | integrity sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==
2703 | dependencies:
2704 | has-flag "^3.0.0"
2705 |
2706 | supports-color@^6.1.0:
2707 | version "6.1.0"
2708 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-6.1.0.tgz#0764abc69c63d5ac842dd4867e8d025e880df8f3"
2709 | integrity sha512-qe1jfm1Mg7Nq/NSh6XE24gPXROEVsWHxC1LIx//XNlD9iw7YZQGjZNjYN7xGaEG6iKdA8EtNFW6R0gjnVXp+wQ==
2710 | dependencies:
2711 | has-flag "^3.0.0"
2712 |
2713 | table@^5.2.3:
2714 | version "5.4.6"
2715 | resolved "https://registry.yarnpkg.com/table/-/table-5.4.6.tgz#1292d19500ce3f86053b05f0e8e7e4a3bb21079e"
2716 | integrity sha512-wmEc8m4fjnob4gt5riFRtTu/6+4rSe12TpAELNSqHMfF3IqnA+CH37USM6/YR3qRZv7e56kAEAtd6nKZaxe0Ug==
2717 | dependencies:
2718 | ajv "^6.10.2"
2719 | lodash "^4.17.14"
2720 | slice-ansi "^2.1.0"
2721 | string-width "^3.0.0"
2722 |
2723 | test-exclude@^5.2.3:
2724 | version "5.2.3"
2725 | resolved "https://registry.yarnpkg.com/test-exclude/-/test-exclude-5.2.3.tgz#c3d3e1e311eb7ee405e092dac10aefd09091eac0"
2726 | integrity sha512-M+oxtseCFO3EDtAaGH7iiej3CBkzXqFMbzqYAACdzKui4eZA+pq3tZEwChvOdNfa7xxy8BfbmgJSIr43cC/+2g==
2727 | dependencies:
2728 | glob "^7.1.3"
2729 | minimatch "^3.0.4"
2730 | read-pkg-up "^4.0.0"
2731 | require-main-filename "^2.0.0"
2732 |
2733 | text-table@^0.2.0:
2734 | version "0.2.0"
2735 | resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4"
2736 | integrity sha1-f17oI66AUgfACvLfSoTsP8+lcLQ=
2737 |
2738 | through@^2.3.6:
2739 | version "2.3.8"
2740 | resolved "https://registry.yarnpkg.com/through/-/through-2.3.8.tgz#0dd4c9ffaabc357960b1b724115d7e0e86a2e1f5"
2741 | integrity sha1-DdTJ/6q8NXlgsbckEV1+Doai4fU=
2742 |
2743 | tmp@^0.0.33:
2744 | version "0.0.33"
2745 | resolved "https://registry.yarnpkg.com/tmp/-/tmp-0.0.33.tgz#6d34335889768d21b2bcda0aa277ced3b1bfadf9"
2746 | integrity sha512-jRCJlojKnZ3addtTOjdIqoRuPEKBvNXcGYqzO6zWZX8KfKEpnGY5jfggJQ3EjKuu8D4bJRr0y+cYJFmYbImXGw==
2747 | dependencies:
2748 | os-tmpdir "~1.0.2"
2749 |
2750 | to-fast-properties@^2.0.0:
2751 | version "2.0.0"
2752 | resolved "https://registry.yarnpkg.com/to-fast-properties/-/to-fast-properties-2.0.0.tgz#dc5e698cbd079265bc73e0377681a4e4e83f616e"
2753 | integrity sha1-3F5pjL0HkmW8c+A3doGk5Og/YW4=
2754 |
2755 | toidentifier@1.0.0:
2756 | version "1.0.0"
2757 | resolved "https://registry.yarnpkg.com/toidentifier/-/toidentifier-1.0.0.tgz#7e1be3470f1e77948bc43d94a3c8f4d7752ba553"
2758 | integrity sha512-yaOH/Pk/VEhBWWTlhI+qXxDFXlejDGcQipMlyxda9nthulaxLZUNcUqFxokp0vcYnvteJln5FNQDRrxj3YcbVw==
2759 |
2760 | tough-cookie@~2.4.3:
2761 | version "2.4.3"
2762 | resolved "https://registry.yarnpkg.com/tough-cookie/-/tough-cookie-2.4.3.tgz#53f36da3f47783b0925afa06ff9f3b165280f781"
2763 | integrity sha512-Q5srk/4vDM54WJsJio3XNn6K2sCG+CQ8G5Wz6bZhRZoAe/+TxjWB/GlFAnYEbkYVlON9FMk/fE3h2RLpPXo4lQ==
2764 | dependencies:
2765 | psl "^1.1.24"
2766 | punycode "^1.4.1"
2767 |
2768 | tslib@^1.9.0:
2769 | version "1.10.0"
2770 | resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.10.0.tgz#c3c19f95973fb0a62973fb09d90d961ee43e5c8a"
2771 | integrity sha512-qOebF53frne81cf0S9B41ByenJ3/IuH8yJKngAX35CmiZySA0khhkovshKK+jGCaMnVomla7gVlIcc3EvKPbTQ==
2772 |
2773 | tunnel-agent@^0.6.0:
2774 | version "0.6.0"
2775 | resolved "https://registry.yarnpkg.com/tunnel-agent/-/tunnel-agent-0.6.0.tgz#27a5dea06b36b04a0a9966774b290868f0fc40fd"
2776 | integrity sha1-J6XeoGs2sEoKmWZ3SykIaPD8QP0=
2777 | dependencies:
2778 | safe-buffer "^5.0.1"
2779 |
2780 | tweetnacl@^0.14.3, tweetnacl@~0.14.0:
2781 | version "0.14.5"
2782 | resolved "https://registry.yarnpkg.com/tweetnacl/-/tweetnacl-0.14.5.tgz#5ae68177f192d4456269d108afa93ff8743f4f64"
2783 | integrity sha1-WuaBd/GS1EViadEIr6k/+HQ/T2Q=
2784 |
2785 | type-check@~0.3.2:
2786 | version "0.3.2"
2787 | resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.3.2.tgz#5884cab512cf1d355e3fb784f30804b2b520db72"
2788 | integrity sha1-WITKtRLPHTVeP7eE8wgEsrUg23I=
2789 | dependencies:
2790 | prelude-ls "~1.1.2"
2791 |
2792 | type-detect@4.0.8, type-detect@^4.0.0, type-detect@^4.0.5:
2793 | version "4.0.8"
2794 | resolved "https://registry.yarnpkg.com/type-detect/-/type-detect-4.0.8.tgz#7646fb5f18871cfbb7749e69bd39a6388eb7450c"
2795 | integrity sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==
2796 |
2797 | type-fest@^0.6.0:
2798 | version "0.6.0"
2799 | resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.6.0.tgz#8d2a2370d3df886eb5c90ada1c5bf6188acf838b"
2800 | integrity sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==
2801 |
2802 | type-is@~1.6.17, type-is@~1.6.18:
2803 | version "1.6.18"
2804 | resolved "https://registry.yarnpkg.com/type-is/-/type-is-1.6.18.tgz#4e552cd05df09467dcbc4ef739de89f2cf37c131"
2805 | integrity sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==
2806 | dependencies:
2807 | media-typer "0.3.0"
2808 | mime-types "~2.1.24"
2809 |
2810 | uglify-js@^3.1.4:
2811 | version "3.6.0"
2812 | resolved "https://registry.yarnpkg.com/uglify-js/-/uglify-js-3.6.0.tgz#704681345c53a8b2079fb6cec294b05ead242ff5"
2813 | integrity sha512-W+jrUHJr3DXKhrsS7NUVxn3zqMOFn0hL/Ei6v0anCIMoKC93TjcflTagwIHLW7SfMFfiQuktQyFVCFHGUE0+yg==
2814 | dependencies:
2815 | commander "~2.20.0"
2816 | source-map "~0.6.1"
2817 |
2818 | unpipe@1.0.0, unpipe@~1.0.0:
2819 | version "1.0.0"
2820 | resolved "https://registry.yarnpkg.com/unpipe/-/unpipe-1.0.0.tgz#b2bf4ee8514aae6165b4817829d21b2ef49904ec"
2821 | integrity sha1-sr9O6FFKrmFltIF4KdIbLvSZBOw=
2822 |
2823 | uri-js@^4.2.2:
2824 | version "4.2.2"
2825 | resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.2.2.tgz#94c540e1ff772956e2299507c010aea6c8838eb0"
2826 | integrity sha512-KY9Frmirql91X2Qgjry0Wd4Y+YTdrdZheS8TFwvkbLWf/G5KNJDCh6pKL5OZctEW4+0Baa5idK2ZQuELRwPznQ==
2827 | dependencies:
2828 | punycode "^2.1.0"
2829 |
2830 | url@^0.11.0:
2831 | version "0.11.0"
2832 | resolved "https://registry.yarnpkg.com/url/-/url-0.11.0.tgz#3838e97cfc60521eb73c525a8e55bfdd9e2e28f1"
2833 | integrity sha1-ODjpfPxgUh63PFJajlW/3Z4uKPE=
2834 | dependencies:
2835 | punycode "1.3.2"
2836 | querystring "0.2.0"
2837 |
2838 | utils-merge@1.0.1:
2839 | version "1.0.1"
2840 | resolved "https://registry.yarnpkg.com/utils-merge/-/utils-merge-1.0.1.tgz#9f95710f50a267947b2ccc124741c1028427e713"
2841 | integrity sha1-n5VxD1CiZ5R7LMwSR0HBAoQn5xM=
2842 |
2843 | uuid@3.3.3, uuid@^3.3.2:
2844 | version "3.3.3"
2845 | resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.3.3.tgz#4568f0216e78760ee1dbf3a4d2cf53e224112866"
2846 | integrity sha512-pW0No1RGHgzlpHJO1nsVrHKpOEIxkGg1xB+v0ZmdNH5OAeAwzAVrCnI2/6Mtx+Uys6iaylxa+D3g4j63IKKjSQ==
2847 |
2848 | v8-compile-cache@^2.0.3:
2849 | version "2.1.0"
2850 | resolved "https://registry.yarnpkg.com/v8-compile-cache/-/v8-compile-cache-2.1.0.tgz#e14de37b31a6d194f5690d67efc4e7f6fc6ab30e"
2851 | integrity sha512-usZBT3PW+LOjM25wbqIlZwPeJV+3OSz3M1k1Ws8snlW39dZyYL9lOGC5FgPVHfk0jKmjiDV8Z0mIbVQPiwFs7g==
2852 |
2853 | validate-npm-package-license@^3.0.1:
2854 | version "3.0.4"
2855 | resolved "https://registry.yarnpkg.com/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz#fc91f6b9c7ba15c857f4cb2c5defeec39d4f410a"
2856 | integrity sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==
2857 | dependencies:
2858 | spdx-correct "^3.0.0"
2859 | spdx-expression-parse "^3.0.0"
2860 |
2861 | vary@~1.1.2:
2862 | version "1.1.2"
2863 | resolved "https://registry.yarnpkg.com/vary/-/vary-1.1.2.tgz#2299f02c6ded30d4a5961b0b9f74524a18f634fc"
2864 | integrity sha1-IpnwLG3tMNSllhsLn3RSShj2NPw=
2865 |
2866 | verror@1.10.0:
2867 | version "1.10.0"
2868 | resolved "https://registry.yarnpkg.com/verror/-/verror-1.10.0.tgz#3a105ca17053af55d6e270c1f8288682e18da400"
2869 | integrity sha1-OhBcoXBTr1XW4nDB+CiGguGNpAA=
2870 | dependencies:
2871 | assert-plus "^1.0.0"
2872 | core-util-is "1.0.2"
2873 | extsprintf "^1.2.0"
2874 |
2875 | which-module@^2.0.0:
2876 | version "2.0.0"
2877 | resolved "https://registry.yarnpkg.com/which-module/-/which-module-2.0.0.tgz#d9ef07dce77b9902b8a3a8fa4b31c3e3f7e6e87a"
2878 | integrity sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=
2879 |
2880 | which@1.3.1, which@^1.2.9, which@^1.3.0:
2881 | version "1.3.1"
2882 | resolved "https://registry.yarnpkg.com/which/-/which-1.3.1.tgz#a45043d54f5805316da8d62f9f50918d3da70b0a"
2883 | integrity sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==
2884 | dependencies:
2885 | isexe "^2.0.0"
2886 |
2887 | wide-align@1.1.3:
2888 | version "1.1.3"
2889 | resolved "https://registry.yarnpkg.com/wide-align/-/wide-align-1.1.3.tgz#ae074e6bdc0c14a431e804e624549c633b000457"
2890 | integrity sha512-QGkOQc8XL6Bt5PwnsExKBPuMKBxnGxWWW3fU55Xt4feHozMUhdUMaBCk290qpm/wG5u/RSKzwdAC4i51YigihA==
2891 | dependencies:
2892 | string-width "^1.0.2 || 2"
2893 |
2894 | wordwrap@~0.0.2:
2895 | version "0.0.3"
2896 | resolved "https://registry.yarnpkg.com/wordwrap/-/wordwrap-0.0.3.tgz#a3d5da6cd5c0bc0008d37234bbaf1bed63059107"
2897 | integrity sha1-o9XabNXAvAAI03I0u68b7WMFkQc=
2898 |
2899 | wordwrap@~1.0.0:
2900 | version "1.0.0"
2901 | resolved "https://registry.yarnpkg.com/wordwrap/-/wordwrap-1.0.0.tgz#27584810891456a4171c8d0226441ade90cbcaeb"
2902 | integrity sha1-J1hIEIkUVqQXHI0CJkQa3pDLyus=
2903 |
2904 | wrap-ansi@^5.1.0:
2905 | version "5.1.0"
2906 | resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-5.1.0.tgz#1fd1f67235d5b6d0fee781056001bfb694c03b09"
2907 | integrity sha512-QC1/iN/2/RPVJ5jYK8BGttj5z83LmSKmvbvrXPNCLZSEb32KKVDJDl/MOt2N01qU2H/FkzEa9PKto1BqDjtd7Q==
2908 | dependencies:
2909 | ansi-styles "^3.2.0"
2910 | string-width "^3.0.0"
2911 | strip-ansi "^5.0.0"
2912 |
2913 | wrappy@1:
2914 | version "1.0.2"
2915 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f"
2916 | integrity sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=
2917 |
2918 | write-file-atomic@^2.4.2:
2919 | version "2.4.3"
2920 | resolved "https://registry.yarnpkg.com/write-file-atomic/-/write-file-atomic-2.4.3.tgz#1fd2e9ae1df3e75b8d8c367443c692d4ca81f481"
2921 | integrity sha512-GaETH5wwsX+GcnzhPgKcKjJ6M2Cq3/iZp1WyY/X1CSqrW+jVNM9Y7D8EC2sM4ZG/V8wZlSniJnCKWPmBYAucRQ==
2922 | dependencies:
2923 | graceful-fs "^4.1.11"
2924 | imurmurhash "^0.1.4"
2925 | signal-exit "^3.0.2"
2926 |
2927 | write@1.0.3:
2928 | version "1.0.3"
2929 | resolved "https://registry.yarnpkg.com/write/-/write-1.0.3.tgz#0800e14523b923a387e415123c865616aae0f5c3"
2930 | integrity sha512-/lg70HAjtkUgWPVZhZcm+T4hkL8Zbtp1nFNOn3lRrxnlv50SRBv7cR7RqR+GMsd3hUXy9hWBo4CHTbFTcOYwig==
2931 | dependencies:
2932 | mkdirp "^0.5.1"
2933 |
2934 | y18n@^4.0.0:
2935 | version "4.0.0"
2936 | resolved "https://registry.yarnpkg.com/y18n/-/y18n-4.0.0.tgz#95ef94f85ecc81d007c264e190a120f0a3c8566b"
2937 | integrity sha512-r9S/ZyXu/Xu9q1tYlpsLIsa3EeLXXk0VwlxqTcFRfg9EhMW+17kbt9G0NrgCmhGb5vT2hyhJZLfDGx+7+5Uj/w==
2938 |
2939 | yallist@^2.1.2:
2940 | version "2.1.2"
2941 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-2.1.2.tgz#1c11f9218f076089a47dd512f93c6699a6a81d52"
2942 | integrity sha1-HBH5IY8HYImkfdUS+TxmmaaoHVI=
2943 |
2944 | yargs-parser@13.1.1, yargs-parser@^13.0.0, yargs-parser@^13.1.1:
2945 | version "13.1.1"
2946 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-13.1.1.tgz#d26058532aa06d365fe091f6a1fc06b2f7e5eca0"
2947 | integrity sha512-oVAVsHz6uFrg3XQheFII8ESO2ssAf9luWuAd6Wexsu4F3OtIW0o8IribPXYrD4WC24LWtPrJlGy87y5udK+dxQ==
2948 | dependencies:
2949 | camelcase "^5.0.0"
2950 | decamelize "^1.2.0"
2951 |
2952 | yargs-unparser@1.6.0:
2953 | version "1.6.0"
2954 | resolved "https://registry.yarnpkg.com/yargs-unparser/-/yargs-unparser-1.6.0.tgz#ef25c2c769ff6bd09e4b0f9d7c605fb27846ea9f"
2955 | integrity sha512-W9tKgmSn0DpSatfri0nx52Joq5hVXgeLiqR/5G0sZNDoLZFOr/xjBUDcShCOGNsBnEMNo1KAMBkTej1Hm62HTw==
2956 | dependencies:
2957 | flat "^4.1.0"
2958 | lodash "^4.17.15"
2959 | yargs "^13.3.0"
2960 |
2961 | yargs@13.3.0, yargs@^13.2.2, yargs@^13.3.0:
2962 | version "13.3.0"
2963 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-13.3.0.tgz#4c657a55e07e5f2cf947f8a366567c04a0dedc83"
2964 | integrity sha512-2eehun/8ALW8TLoIl7MVaRUrg+yCnenu8B4kBlRxj3GJGDKU1Og7sMXPNm1BYyM1DOJmTZ4YeN/Nwxv+8XJsUA==
2965 | dependencies:
2966 | cliui "^5.0.0"
2967 | find-up "^3.0.0"
2968 | get-caller-file "^2.0.1"
2969 | require-directory "^2.1.1"
2970 | require-main-filename "^2.0.0"
2971 | set-blocking "^2.0.0"
2972 | string-width "^3.0.0"
2973 | which-module "^2.0.0"
2974 | y18n "^4.0.0"
2975 | yargs-parser "^13.1.1"
2976 |
--------------------------------------------------------------------------------