├── .gitignore ├── LICENSE ├── README.md ├── firehoser.js ├── package.json ├── tests.js └── yarn.lock /.gitignore: -------------------------------------------------------------------------------- 1 | # Logs 2 | logs 3 | *.log 4 | npm-debug.log* 5 | 6 | # Runtime data 7 | pids 8 | *.pid 9 | *.seed 10 | 11 | # Directory for instrumented libs generated by jscoverage/JSCover 12 | lib-cov 13 | 14 | # Coverage directory used by tools like istanbul 15 | coverage 16 | 17 | # Grunt intermediate storage (http://gruntjs.com/creating-plugins#storing-task-files) 18 | .grunt 19 | 20 | # node-waf configuration 21 | .lock-wscript 22 | 23 | # Compiled binary addons (http://nodejs.org/api/addons.html) 24 | build/Release 25 | 26 | # Dependency directory 27 | node_modules 28 | 29 | # Optional npm cache directory 30 | .npm 31 | 32 | # Optional REPL history 33 | .node_repl_history 34 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | The MIT License (MIT) 2 | 3 | Copyright (c) 2016 Mirus Research 4 | 5 | Permission is hereby granted, free of charge, to any person obtaining a copy 6 | of this software and associated documentation files (the "Software"), to deal 7 | in the Software without restriction, including without limitation the rights 8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 9 | copies of the Software, and to permit persons to whom the Software is 10 | furnished to do so, subject to the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be included in all 13 | copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE 21 | SOFTWARE. 22 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | ### Firehoser is no longer being maintained at this time. If someone would like to step in and take over the project please reply to [Issue #11](https://github.com/mirusresearch/firehoser/issues/11) 2 | 3 | 4 | # firehoser 5 | A friendly wrapper around AWS Kinesis Firehose with retry logic and custom queuing behavior. Get your data from node into S3 or Redshift in as easy a manner as possible. 6 | 7 | **Please Note:** *Firehoser is written in es6 and needs node.js ≥ 6.0* 8 | 9 | ## Installation 10 | `yarn add firehoser` 11 | or 12 | `npm install firehoser` 13 | 14 | 15 | ## Usage 16 | To use Firehoser, you need to create an instance of a DeliveryStream. There are several variations, but they all expose the same API: `putRecord` and it's pluralized counterpart `putRecords`. 17 | 18 | The basic `DeliveryStream` only requires a single argument, which is the name of the delivery stream: 19 | 20 | ```node 21 | var AWS = require('aws-sdk'); 22 | var firehoser = require('firehoser') 23 | 24 | AWS.config.update({ 25 | accessKeyId: 'hardcoded-credentials', 26 | secretAccessKey: 'are-not-a-good-idea' 27 | }); 28 | 29 | let firehose = new firehoser.DeliveryStream('my_delivery_stream_name'); 30 | 31 | // Send a single record to Kinesis Firehose... 32 | firehose.putRecord('value1|value2|value3'); 33 | ``` 34 | 35 | `putRecords` behaves identically to `putRecord` except that the former accepts an Array of records. 36 | 37 | ```node 38 | // Send multiple records... 39 | firehose.putRecords([ 40 | 'value1|value2|value3', 41 | 'valueX|valueY|valueZ', 42 | ]); 43 | 44 | ``` 45 | 46 | Both `putRecord` and `putRecords` return a Promise which resolve once the data has been successfully accepted by AWS. If the rate at which you call them exceeds the capacity of the delivery stream to which you are sending them, they will continue to retry the send until they succeed, and only then will the promise resolve. 47 | 48 | Amazon Kinesis Firehose limits the number of records you can send at a single time to 500. Firehoser automatically chunks your records into batches of 400 to stay well below this limit. 49 | 50 | A common use case for Firehose is to send JSON data into Redshift (or even just S3). This is easily accomplished by using a `JSONDeliveryStream`: 51 | 52 | ```node 53 | let firehose = new firehoser.JSONDeliveryStream('my_delivery_stream_name'); 54 | 55 | firehose.putRecord({ 56 | jsonIs: 'a cool format', 57 | itMakes: 'pipe-separated values look so dated.' 58 | }); 59 | 60 | firehose.putRecords([ 61 | {a: 1}, 62 | {a: 2}, 63 | {a: 3} 64 | ]).then(()=>{ 65 | console.log("Cool!"); 66 | }); 67 | ``` 68 | 69 | Both `DeliveryStream` and `JSONDeliveryStream` will immediately send data to AWS Kinesis Firehose as soon as (and as often as) you call `putRecord`. Sometimes what you want instead is to queue up records as they are generated, and only send them to AWS Kinesis Firehose once a certain number of them have been gathered, or a certain time limit has passed. For these cases, we've created `QueueableDeliveryStream` and `QueueableJSONDeliveryStream`. Simply pass in a cutoff value for the number of records, or the staleness of records that you're comfortable with, and we'll wait until one of those limits is passed before sending off the data. 70 | 71 | ```node 72 | let maxDelay = 15000; // milliseconds 73 | let maxQueued = 100; 74 | let firehose = new firehoser.QueueableJSONDeliveryStream( 75 | 'my_delivery_stream_name', 76 | maxDelay, 77 | maxQueued 78 | ); 79 | 80 | firehose.putRecord({ 81 | id: 'rec1' 82 | }).then(()=>{ 83 | console.log('rec1 sent to AWS!'); 84 | }); 85 | 86 | firehose.putRecord({ 87 | id: 'rec2' 88 | }).then(()=>{ 89 | console.log('rec2 sent to AWS!'); 90 | }); 91 | 92 | // ... wait ~15 seconds and see both console messages fire at the same time! 93 | ``` 94 | 95 | #### Misc #### 96 | *Take off, ya hoser!* 97 | -------------------------------------------------------------------------------- /firehoser.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | var _ = require('lodash'); 4 | var AWS = require('aws-sdk'); 5 | var async = require('async'); 6 | var JaySchema = require('jayschema'); 7 | var moment = require('moment'); 8 | 9 | var schemaValidator = new JaySchema(); 10 | 11 | class DeliveryStream{ 12 | constructor(name, awsConfig=null, schema=null, retryInterval=1500, firehose=null, logger=null){ 13 | this.maxIngestion = 400; 14 | this.maxDrains = 3; 15 | this.maxRetries = 40; 16 | this.name = name; 17 | if (awsConfig !== null){ 18 | AWS.config.update(awsConfig); 19 | } 20 | this.schema = schema; 21 | this.retryInterval = retryInterval; 22 | this.firehose = firehose ? firehose : new AWS.Firehose({params: {DeliveryStreamName: name}}); 23 | this.log = logger ? logger : () => {}; 24 | } 25 | 26 | validateRecord(record){ 27 | return schemaValidator.validate(record, this.schema); 28 | } 29 | 30 | validateRecords(records){ 31 | if (!this.schema){ 32 | return [records, []]; 33 | } 34 | let validRecords = []; 35 | let invalidRecords = []; 36 | _.forEach(records, (record) => { 37 | let validationErrors = this.validateRecord(record); 38 | if (_.isEmpty(validationErrors)){ 39 | validRecords.push(record); 40 | } else { 41 | let ve = validationErrors[0]; 42 | invalidRecords.push({ 43 | type: "schema", 44 | originalRecord: record, 45 | description: buildSchemaErrorDescription(ve), 46 | details: ve, 47 | }); 48 | } 49 | }); 50 | return [validRecords, invalidRecords]; 51 | } 52 | 53 | formatRecord(record){ 54 | return {Data: record + '\n'}; 55 | } 56 | 57 | putRecord(record){ 58 | return this.putRecords([record]); 59 | } 60 | 61 | putRecords(records){ 62 | var self = this; 63 | this.log(`DeliveryStream.putRecords() called with ${records.length} records.`); 64 | return new Promise((resolve, reject) => { 65 | // Validate records against a schema, if necessary. 66 | let [validRecords, invalidRecords] = this.validateRecords(records); 67 | 68 | // Split the records into reasonably-sized chunks. 69 | records = _.map(validRecords, this.formatRecord); 70 | let chunks = _.chunk(records, this.maxIngestion); 71 | let tasks = []; 72 | for (let i=0; i < chunks.length; i++){ 73 | tasks.push(this.drain.bind(this, chunks[i])); 74 | } 75 | 76 | // Schedule the chunks all at the same time. 77 | self.log(`Kicking off ${tasks.length} calls to drain() for ${records.length} records.`); 78 | async.parallelLimit(tasks, this.maxDrains, function(err, results){ 79 | let allErrors = invalidRecords.concat(_.flatten(results)); 80 | if (err || !_.isEmpty(allErrors)){ 81 | return reject(allErrors); 82 | } 83 | return resolve(); 84 | }); 85 | }); 86 | } 87 | 88 | drain(records, cb, numRetries=0){ 89 | var leftovers = []; 90 | // var self = this; 91 | this.log(`Draining ${records.length} records. Pass #${numRetries + 1}`); 92 | this.firehose.putRecordBatch({Records: records}, (firehoseErr, resp)=>{ 93 | // Stuff broke! 94 | if (firehoseErr){ 95 | return cb(null, { 96 | type: "firehose", 97 | description: "Internal aws-sdk error.", 98 | details: firehoseErr, 99 | originalRecord: null 100 | }); 101 | } 102 | 103 | // Not all records make it in, but firehose keeps on chugging! 104 | if (resp.FailedPutCount > 0){ 105 | } 106 | 107 | // Push errored records back into the next list. 108 | for (let [orig, result] of _.zip(records, resp.RequestResponses)){ 109 | if (!_.isUndefined(result.ErrorCode)){ 110 | this.log(`Got ErrorCode ${result.ErrorCode} for record ${orig}`,'error'); 111 | leftovers.push({ 112 | type: "firehose", 113 | description: result.ErrorMessage, 114 | details: { 115 | ErrorCode: result.ErrorCode, 116 | ErrorMessage: result.ErrorMessage, 117 | }, 118 | originalRecord: orig, 119 | }); 120 | } 121 | } 122 | 123 | // Recurse! 124 | if (leftovers.length && numRetries < this.maxRetries){ 125 | // We're about to recurse, let the child handle storing error details. 126 | leftovers = _.map(leftovers, pickData); 127 | 128 | return setTimeout(()=>{ 129 | this.drain(leftovers, cb, numRetries + 1); 130 | }, this.retryInterval); 131 | } else { 132 | return cb(null, leftovers); 133 | } 134 | }); 135 | } 136 | } 137 | 138 | class JSONDeliveryStream extends DeliveryStream { 139 | formatRecord(record){ 140 | return super.formatRecord(JSON.stringify(record)); 141 | } 142 | } 143 | 144 | class QueueableDeliveryStream extends DeliveryStream { 145 | constructor(name, maxTime=30000, maxSize=500, ...args){ 146 | super(name, ...args); 147 | this.queue = []; 148 | this.timeout = null; 149 | this.maxTime = maxTime; 150 | this.maxSize = maxSize; 151 | this.promise = null; 152 | setInterval(this.drainQueue.bind(this), this.maxTime); 153 | } 154 | 155 | putRecords(records){ 156 | this.log(`QueueableDeliveryStream.putRecords() called with ${records.length} records.`); 157 | this.queue.push(...records); 158 | if (this.promise === null){ 159 | this.promise = new Promise((resolve, reject) => { 160 | this.resolver = resolve; 161 | this.rejecter = reject; 162 | }); 163 | } 164 | this.log(`queue size is: ${this.queue.length}, maxSize is: ${this.maxSize}.`); 165 | if (this.queue.length >= this.maxSize){ 166 | // Queue's full! 167 | this.log(`queue is full, draining immediately.`); 168 | setImmediate(this.drainQueue.bind(this)); 169 | } 170 | return this.promise; 171 | } 172 | 173 | drainQueue(){ 174 | this.log(`Countdown timer expired or queue limit reached.`); 175 | this.log(`Time to drain the queue of ${this.queue.length} records.`); 176 | let toQueue = this.queue.splice(0, this.queue.length); 177 | if (!toQueue.length){ 178 | this.log(`No records in queue, not draining anything.`); 179 | return; 180 | } 181 | super.putRecords(toQueue).then(this.resolver, this.rejecter).then(() => { 182 | this.promise = null; 183 | this.rejecter = null; 184 | this.resolver = null; 185 | }); 186 | } 187 | } 188 | 189 | class QueueableJSONDeliveryStream extends QueueableDeliveryStream { 190 | formatRecord(record){ 191 | return super.formatRecord(JSON.stringify(record)); 192 | } 193 | } 194 | 195 | class PlainDeliveryStream extends DeliveryStream { 196 | formatRecord(record){ 197 | return { Data: record }; 198 | } 199 | } 200 | 201 | function buildSchemaErrorDescription(ve){ 202 | if (ve.desc){ 203 | return ve.desc; 204 | } 205 | let field = ve.instanceContext.replace(/(#\/)|(#)/ig, "").replace(/\//g, ".") 206 | return `${ve.kind || 'Error'} on '${field}'. Expected ${ve.constraintName} to be ${ve.constraintValue}, actual value was ${ve.testedValue}.` 207 | } 208 | 209 | 210 | function makeRedshiftTimestamp(input){ 211 | return moment(input).utc().format('YYYY-MM-DD HH:mm:ss') 212 | } 213 | 214 | function pickData(leftover){ 215 | return _.pick(leftover.originalRecord, ['Data']); 216 | } 217 | 218 | module.exports = { 219 | DeliveryStream: DeliveryStream, 220 | JSONDeliveryStream: JSONDeliveryStream, 221 | QueueableDeliveryStream: QueueableDeliveryStream, 222 | QueueableJSONDeliveryStream: QueueableJSONDeliveryStream, 223 | PlainDeliveryStream: PlainDeliveryStream, 224 | makeRedshiftTimestamp: makeRedshiftTimestamp, 225 | pickData: pickData 226 | }; 227 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "firehoser", 3 | "version": "1.3.6", 4 | "description": "A wrapper around AWS Kinesis Firehose with retry logic and custom queuing behavior.", 5 | "main": "firehoser.js", 6 | "scripts": { 7 | "test": "mocha -c -b tests.js" 8 | }, 9 | "repository": { 10 | "type": "git", 11 | "url": "git+https://github.com/mirusresearch/firehoser.git" 12 | }, 13 | "keywords": [ 14 | "aws", 15 | "kinesis", 16 | "firehose", 17 | "deliverystream" 18 | ], 19 | "author": "Don Spaulding ", 20 | "license": "MIT", 21 | "bugs": { 22 | "url": "https://github.com/mirusresearch/firehoser/issues" 23 | }, 24 | "homepage": "https://github.com/mirusresearch/firehoser#readme", 25 | "dependencies": { 26 | "async": "^2.1.0", 27 | "aws-sdk": "^2.493.0", 28 | "jayschema": "^0.3.1", 29 | "lodash": "^4.17.14", 30 | "moment": "^2.13.0" 31 | }, 32 | "devDependencies": { 33 | "chai": "^3.5.0", 34 | "mocha": "^6.1.4", 35 | "mockery": "^1.7.0" 36 | } 37 | } -------------------------------------------------------------------------------- /tests.js: -------------------------------------------------------------------------------- 1 | var _ = require("lodash"); 2 | var expect = require('chai').expect; 3 | var firehoser = require('./firehoser'); 4 | 5 | class MockAWSFirehose { 6 | constructor(firehoseErrors,failedPut){ 7 | this.firehoseErrors = firehoseErrors || false; 8 | this.failedPut = failedPut || false; 9 | this.attempt = 0; 10 | } 11 | putRecordBatch(batch, cb){ 12 | const err = this.firehoseErrors?new Error('OH NOES! Firehose Error!'):null; 13 | this.attempt++; 14 | // console.log('attempt!:',this.attempt); 15 | let reqresp = batch.Records.slice(); 16 | let failedCount = 0; 17 | if (this.failedPut && this.attempt<2){ 18 | reqresp = _.map(reqresp,(r)=>{ return {ErrorMessage : 'Life is terrible', ErrorCode : 403 }; }); 19 | failedCount = reqresp.length; 20 | } 21 | cb(err, { 22 | FailedPutCount : failedCount, 23 | RequestResponses : reqresp 24 | }); 25 | } 26 | } 27 | 28 | describe("DeliveryStream", function(){ 29 | 30 | describe("instantiation", function(){ 31 | it("should only require 1 argument", function(){ 32 | let ds = new firehoser.DeliveryStream("the_ds"); 33 | expect(ds).to.be.an.instanceof(firehoser.DeliveryStream); 34 | }); 35 | }); 36 | 37 | describe("DeliveryStream", function(){ 38 | let ds = new firehoser.DeliveryStream("the_ds", null, null, 3000, new MockAWSFirehose()); 39 | let jds = new firehoser.JSONDeliveryStream( 40 | "the_json_ds", 41 | null, 42 | { 43 | "type": "object", 44 | "properties": { 45 | "firstName": { 46 | "type": "string", 47 | "maxLength": 3 48 | }, 49 | }, 50 | "required": ["firstName"] 51 | }, 52 | 3000, 53 | new MockAWSFirehose() 54 | ); 55 | 56 | it("should accept one record", function(){ 57 | return ds.putRecord("this is the record"); 58 | }); 59 | 60 | it("should accept multiple records", function(){ 61 | return ds.putRecords(["record1", "record2"]); 62 | }); 63 | 64 | it("should accept more than 500 records", function(){ 65 | return ds.putRecords(_.map(_.range(600), (i) => {`record${i}`})); 66 | }); 67 | 68 | it("should throw an error when a record doesn't match the schema", function(){ 69 | return jds.putRecord({ 70 | "firstName": 3 71 | }).catch((errors)=>{ 72 | let err = errors[0]; 73 | expect(err.type).to.equal("schema"); 74 | expect(err.details).to.exist; 75 | expect(err.originalRecord).to.exist; 76 | }) 77 | }); 78 | 79 | it("should not throw an error when the record matches the schema", function(){ 80 | return jds.putRecord({ 81 | "firstName": "Don" 82 | }).catch((errors)=>{ 83 | expect(errors).to.be.undefined; 84 | expect(errors).to.be.empty; 85 | }) 86 | }); 87 | 88 | it("should handle firehose errors", function(){ 89 | let fherr = new firehoser.DeliveryStream("the_ds", null, null, 1000, new MockAWSFirehose(true)); 90 | return fherr.putRecord({ "firstName": "Don" }).catch((errors)=>{ 91 | expect(errors).to.not.be.empty; 92 | expect(errors.length).to.equal(1); 93 | }); 94 | }); 95 | 96 | it("should retry failed PUTS", function(){ 97 | let puterr = new firehoser.DeliveryStream("the_ds", null, null, 100, new MockAWSFirehose(false,true)); 98 | return puterr.putRecord({ "firstName": "Don" }); 99 | }); 100 | 101 | 102 | }); 103 | 104 | }) 105 | 106 | describe('pickData', function(){ 107 | let leftovers = [{ 108 | type: "firehose", 109 | description: "out of service", 110 | details: { 111 | ErrorCode: 500, 112 | ErrorMessage: "AWS is currently down", 113 | }, 114 | originalRecord: { 115 | Data: {log: true, data: { id: 1}} 116 | } 117 | }, 118 | { 119 | type: "firehose", 120 | description: "out of service", 121 | details: { 122 | ErrorCode: 500, 123 | ErrorMessage: "AWS is currently down", 124 | }, 125 | originalRecord: { 126 | Data: {log: true, data: { id: 2}} 127 | } 128 | }]; 129 | 130 | it("should return the object with Data attributes", function(){ 131 | let resolvedLeftoverData = _.map(leftovers, firehoser.pickData); 132 | 133 | expect(resolvedLeftoverData.length).to.equal(2); 134 | expect(resolvedLeftoverData[0]).to.have.property('Data'); 135 | expect(resolvedLeftoverData[1]).to.have.property('Data'); 136 | }); 137 | }) 138 | -------------------------------------------------------------------------------- /yarn.lock: -------------------------------------------------------------------------------- 1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY. 2 | # yarn lockfile v1 3 | 4 | 5 | ansi-colors@3.2.3: 6 | version "3.2.3" 7 | resolved "https://registry.yarnpkg.com/ansi-colors/-/ansi-colors-3.2.3.tgz#57d35b8686e851e2cc04c403f1c00203976a1813" 8 | integrity sha512-LEHHyuhlPY3TmuUYMh2oz89lTShfvgbmzaBcxve9t/9Wuy7Dwf4yoAKcND7KFT1HAQfqZ12qtc+DUrBMeKF9nw== 9 | 10 | ansi-regex@^2.0.0: 11 | version "2.1.1" 12 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.1.1.tgz#c3b33ab5ee360d86e0e628f0468ae7ef27d654df" 13 | integrity sha1-w7M6te42DYbg5ijwRorn7yfWVN8= 14 | 15 | ansi-regex@^3.0.0: 16 | version "3.0.0" 17 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-3.0.0.tgz#ed0317c322064f79466c02966bddb605ab37d998" 18 | integrity sha1-7QMXwyIGT3lGbAKWa922Bas32Zg= 19 | 20 | ansi-regex@^4.1.0: 21 | version "4.1.0" 22 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-4.1.0.tgz#8b9f8f08cf1acb843756a839ca8c7e3168c51997" 23 | integrity sha512-1apePfXM1UOSqw0o9IiFAovVz9M5S1Dg+4TrDwfMewQ6p/rmMueb7tWZjQ1rx4Loy1ArBggoqGpfqqdI4rondg== 24 | 25 | ansi-styles@^3.2.1: 26 | version "3.2.1" 27 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-3.2.1.tgz#41fbb20243e50b12be0f04b8dedbf07520ce841d" 28 | integrity sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA== 29 | dependencies: 30 | color-convert "^1.9.0" 31 | 32 | argparse@^1.0.7: 33 | version "1.0.10" 34 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-1.0.10.tgz#bcd6791ea5ae09725e17e5ad988134cd40b3d911" 35 | integrity sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg== 36 | dependencies: 37 | sprintf-js "~1.0.2" 38 | 39 | assertion-error@^1.0.1: 40 | version "1.1.0" 41 | resolved "https://registry.yarnpkg.com/assertion-error/-/assertion-error-1.1.0.tgz#e60b6b0e8f301bd97e5375215bda406c85118c0b" 42 | 43 | async@2.1: 44 | version "2.1.5" 45 | resolved "https://registry.yarnpkg.com/async/-/async-2.1.5.tgz#e587c68580994ac67fc56ff86d3ac56bdbe810bc" 46 | integrity sha1-5YfGhYCZSsZ/xW/4bTrFa9voELw= 47 | dependencies: 48 | lodash "^4.14.0" 49 | 50 | aws-sdk@^2.493.0: 51 | version "2.493.0" 52 | resolved "https://registry.yarnpkg.com/aws-sdk/-/aws-sdk-2.493.0.tgz#2526208efc0fff91529c41c1d9f5cd15cdfcc937" 53 | integrity sha512-xLNpjiNgLZoXqwmLQ+czP3UQzeRgsutpG1KGfVUaj/3giqEElpn0wYkwhkJt4Glm9xf3jgzAdbFEDYM7u+Llxg== 54 | dependencies: 55 | buffer "4.9.1" 56 | events "1.1.1" 57 | ieee754 "1.1.8" 58 | jmespath "0.15.0" 59 | querystring "0.2.0" 60 | sax "1.2.1" 61 | url "0.10.3" 62 | uuid "3.3.2" 63 | xml2js "0.4.19" 64 | 65 | balanced-match@^1.0.0: 66 | version "1.0.0" 67 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.0.tgz#89b4d199ab2bee49de164ea02b89ce462d71b767" 68 | integrity sha1-ibTRmasr7kneFk6gK4nORi1xt2c= 69 | 70 | base64-js@^1.0.2: 71 | version "1.3.0" 72 | resolved "https://registry.yarnpkg.com/base64-js/-/base64-js-1.3.0.tgz#cab1e6118f051095e58b5281aea8c1cd22bfc0e3" 73 | 74 | brace-expansion@^1.1.7: 75 | version "1.1.11" 76 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd" 77 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA== 78 | dependencies: 79 | balanced-match "^1.0.0" 80 | concat-map "0.0.1" 81 | 82 | browser-stdout@1.3.1: 83 | version "1.3.1" 84 | resolved "https://registry.yarnpkg.com/browser-stdout/-/browser-stdout-1.3.1.tgz#baa559ee14ced73452229bad7326467c61fabd60" 85 | integrity sha512-qhAVI1+Av2X7qelOfAIYwXONood6XlZE/fXaBSmW/T5SzLAmCgzi+eiWE7fUvbHaeNBQH13UftjpXxsfLkMpgw== 86 | 87 | buffer@4.9.1: 88 | version "4.9.1" 89 | resolved "https://registry.yarnpkg.com/buffer/-/buffer-4.9.1.tgz#6d1bb601b07a4efced97094132093027c95bc298" 90 | dependencies: 91 | base64-js "^1.0.2" 92 | ieee754 "^1.1.4" 93 | isarray "^1.0.0" 94 | 95 | camelcase@^5.0.0: 96 | version "5.3.1" 97 | resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-5.3.1.tgz#e3c9b31569e106811df242f715725a1f4c494320" 98 | integrity sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg== 99 | 100 | chai@^3.5.0: 101 | version "3.5.0" 102 | resolved "https://registry.yarnpkg.com/chai/-/chai-3.5.0.tgz#4d02637b067fe958bdbfdd3a40ec56fef7373247" 103 | dependencies: 104 | assertion-error "^1.0.1" 105 | deep-eql "^0.1.3" 106 | type-detect "^1.0.0" 107 | 108 | chalk@^2.0.1: 109 | version "2.4.2" 110 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424" 111 | integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ== 112 | dependencies: 113 | ansi-styles "^3.2.1" 114 | escape-string-regexp "^1.0.5" 115 | supports-color "^5.3.0" 116 | 117 | cliui@^4.0.0: 118 | version "4.1.0" 119 | resolved "https://registry.yarnpkg.com/cliui/-/cliui-4.1.0.tgz#348422dbe82d800b3022eef4f6ac10bf2e4d1b49" 120 | integrity sha512-4FG+RSG9DL7uEwRUZXZn3SS34DiDPfzP0VOiEwtUWlE+AR2EIg+hSyvrIgUUfhdgR/UkAeW2QHgeP+hWrXs7jQ== 121 | dependencies: 122 | string-width "^2.1.1" 123 | strip-ansi "^4.0.0" 124 | wrap-ansi "^2.0.0" 125 | 126 | code-point-at@^1.0.0: 127 | version "1.1.0" 128 | resolved "https://registry.yarnpkg.com/code-point-at/-/code-point-at-1.1.0.tgz#0d070b4d043a5bea33a2f1a40e2edb3d9a4ccf77" 129 | integrity sha1-DQcLTQQ6W+ozovGkDi7bPZpMz3c= 130 | 131 | color-convert@^1.9.0: 132 | version "1.9.3" 133 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-1.9.3.tgz#bb71850690e1f136567de629d2d5471deda4c1e8" 134 | integrity sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg== 135 | dependencies: 136 | color-name "1.1.3" 137 | 138 | color-name@1.1.3: 139 | version "1.1.3" 140 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25" 141 | integrity sha1-p9BVi9icQveV3UIyj3QIMcpTvCU= 142 | 143 | concat-map@0.0.1: 144 | version "0.0.1" 145 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" 146 | integrity sha1-2Klr13/Wjfd5OnMDajug1UBdR3s= 147 | 148 | cross-spawn@^6.0.0: 149 | version "6.0.5" 150 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-6.0.5.tgz#4a5ec7c64dfae22c3a14124dbacdee846d80cbc4" 151 | integrity sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ== 152 | dependencies: 153 | nice-try "^1.0.4" 154 | path-key "^2.0.1" 155 | semver "^5.5.0" 156 | shebang-command "^1.2.0" 157 | which "^1.2.9" 158 | 159 | debug@3.2.6: 160 | version "3.2.6" 161 | resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.6.tgz#e83d17de16d8a7efb7717edbe5fb10135eee629b" 162 | integrity sha512-mel+jf7nrtEl5Pn1Qx46zARXKDpBbvzezse7p7LqINmdoIk8PYP5SySaxEmYv6TZ0JyEKA1hsCId6DIhgITtWQ== 163 | dependencies: 164 | ms "^2.1.1" 165 | 166 | decamelize@^1.2.0: 167 | version "1.2.0" 168 | resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-1.2.0.tgz#f6534d15148269b20352e7bee26f501f9a191290" 169 | integrity sha1-9lNNFRSCabIDUue+4m9QH5oZEpA= 170 | 171 | deep-eql@^0.1.3: 172 | version "0.1.3" 173 | resolved "https://registry.yarnpkg.com/deep-eql/-/deep-eql-0.1.3.tgz#ef558acab8de25206cd713906d74e56930eb69f2" 174 | dependencies: 175 | type-detect "0.1.1" 176 | 177 | define-properties@^1.1.2: 178 | version "1.1.3" 179 | resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.1.3.tgz#cf88da6cbee26fe6db7094f61d870cbd84cee9f1" 180 | integrity sha512-3MqfYKj2lLzdMSf8ZIZE/V+Zuy+BgD6f164e8K2w7dgnpKArBDerGYpM46IYYcjnkdPNMjPk9A6VFB8+3SKlXQ== 181 | dependencies: 182 | object-keys "^1.0.12" 183 | 184 | diff@3.5.0: 185 | version "3.5.0" 186 | resolved "https://registry.yarnpkg.com/diff/-/diff-3.5.0.tgz#800c0dd1e0a8bfbc95835c202ad220fe317e5a12" 187 | integrity sha512-A46qtFgd+g7pDZinpnwiRJtxbC1hpgf0uzP3iG89scHk0AUC7A1TGxf5OiiOUv/JMZR8GOt8hL900hV0bOy5xA== 188 | 189 | emoji-regex@^7.0.1: 190 | version "7.0.3" 191 | resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-7.0.3.tgz#933a04052860c85e83c122479c4748a8e4c72156" 192 | integrity sha512-CwBLREIQ7LvYFB0WyRvwhq5N5qPhc6PMjD6bYggFlI5YyDgl+0vxq5VHbMOFqLg7hfWzmu8T5Z1QofhmTIhItA== 193 | 194 | end-of-stream@^1.1.0: 195 | version "1.4.1" 196 | resolved "https://registry.yarnpkg.com/end-of-stream/-/end-of-stream-1.4.1.tgz#ed29634d19baba463b6ce6b80a37213eab71ec43" 197 | integrity sha512-1MkrZNvWTKCaigbn+W15elq2BB/L22nqrSY5DKlo3X6+vclJm8Bb5djXJBmEX6fS3+zCh/F4VBK5Z2KxJt4s2Q== 198 | dependencies: 199 | once "^1.4.0" 200 | 201 | es-abstract@^1.5.1: 202 | version "1.13.0" 203 | resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.13.0.tgz#ac86145fdd5099d8dd49558ccba2eaf9b88e24e9" 204 | integrity sha512-vDZfg/ykNxQVwup/8E1BZhVzFfBxs9NqMzGcvIJrqg5k2/5Za2bWo40dK2J1pgLngZ7c+Shh8lwYtLGyrwPutg== 205 | dependencies: 206 | es-to-primitive "^1.2.0" 207 | function-bind "^1.1.1" 208 | has "^1.0.3" 209 | is-callable "^1.1.4" 210 | is-regex "^1.0.4" 211 | object-keys "^1.0.12" 212 | 213 | es-to-primitive@^1.2.0: 214 | version "1.2.0" 215 | resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.2.0.tgz#edf72478033456e8dda8ef09e00ad9650707f377" 216 | integrity sha512-qZryBOJjV//LaxLTV6UC//WewneB3LcXOL9NP++ozKVXsIIIpm/2c13UDiD9Jp2eThsecw9m3jPqDwTyobcdbg== 217 | dependencies: 218 | is-callable "^1.1.4" 219 | is-date-object "^1.0.1" 220 | is-symbol "^1.0.2" 221 | 222 | escape-string-regexp@1.0.5, escape-string-regexp@^1.0.5: 223 | version "1.0.5" 224 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4" 225 | integrity sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ= 226 | 227 | esprima@^4.0.0: 228 | version "4.0.1" 229 | resolved "https://registry.yarnpkg.com/esprima/-/esprima-4.0.1.tgz#13b04cdb3e6c5d19df91ab6987a8695619b0aa71" 230 | integrity sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A== 231 | 232 | events@1.1.1: 233 | version "1.1.1" 234 | resolved "https://registry.yarnpkg.com/events/-/events-1.1.1.tgz#9ebdb7635ad099c70dcc4c2a1f5004288e8bd924" 235 | 236 | execa@^1.0.0: 237 | version "1.0.0" 238 | resolved "https://registry.yarnpkg.com/execa/-/execa-1.0.0.tgz#c6236a5bb4df6d6f15e88e7f017798216749ddd8" 239 | integrity sha512-adbxcyWV46qiHyvSp50TKt05tB4tK3HcmF7/nxfAdhnox83seTDbwnaqKO4sXRy7roHAIFqJP/Rw/AuEbX61LA== 240 | dependencies: 241 | cross-spawn "^6.0.0" 242 | get-stream "^4.0.0" 243 | is-stream "^1.1.0" 244 | npm-run-path "^2.0.0" 245 | p-finally "^1.0.0" 246 | signal-exit "^3.0.0" 247 | strip-eof "^1.0.0" 248 | 249 | find-up@3.0.0, find-up@^3.0.0: 250 | version "3.0.0" 251 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-3.0.0.tgz#49169f1d7993430646da61ecc5ae355c21c97b73" 252 | integrity sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg== 253 | dependencies: 254 | locate-path "^3.0.0" 255 | 256 | flat@^4.1.0: 257 | version "4.1.0" 258 | resolved "https://registry.yarnpkg.com/flat/-/flat-4.1.0.tgz#090bec8b05e39cba309747f1d588f04dbaf98db2" 259 | integrity sha512-Px/TiLIznH7gEDlPXcUD4KnBusa6kR6ayRUVcnEAbreRIuhkqow/mun59BuRXwoYk7ZQOLW1ZM05ilIvK38hFw== 260 | dependencies: 261 | is-buffer "~2.0.3" 262 | 263 | fs.realpath@^1.0.0: 264 | version "1.0.0" 265 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" 266 | integrity sha1-FQStJSMVjKpA20onh8sBQRmU6k8= 267 | 268 | function-bind@^1.1.1: 269 | version "1.1.1" 270 | resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d" 271 | integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A== 272 | 273 | get-caller-file@^1.0.1: 274 | version "1.0.3" 275 | resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-1.0.3.tgz#f978fa4c90d1dfe7ff2d6beda2a515e713bdcf4a" 276 | integrity sha512-3t6rVToeoZfYSGd8YoLFR2DJkiQrIiUrGcjvFX2mDw3bn6k2OtwHN0TNCLbBO+w8qTvimhDkv+LSscbJY1vE6w== 277 | 278 | get-caller-file@^2.0.1: 279 | version "2.0.5" 280 | resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-2.0.5.tgz#4f94412a82db32f36e3b0b9741f8a97feb031f7e" 281 | integrity sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg== 282 | 283 | get-stream@^4.0.0: 284 | version "4.1.0" 285 | resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-4.1.0.tgz#c1b255575f3dc21d59bfc79cd3d2b46b1c3a54b5" 286 | integrity sha512-GMat4EJ5161kIy2HevLlr4luNjBgvmj413KaQA7jt4V8B4RDsfpHk7WQ9GVqfYyyx8OS/L66Kox+rJRNklLK7w== 287 | dependencies: 288 | pump "^3.0.0" 289 | 290 | glob@7.1.3: 291 | version "7.1.3" 292 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.3.tgz#3960832d3f1574108342dafd3a67b332c0969df1" 293 | integrity sha512-vcfuiIxogLV4DlGBHIUOwI0IbrJ8HWPc4MU7HzviGeNho/UJDfi6B5p3sHeWIQ0KGIU0Jpxi5ZHxemQfLkkAwQ== 294 | dependencies: 295 | fs.realpath "^1.0.0" 296 | inflight "^1.0.4" 297 | inherits "2" 298 | minimatch "^3.0.4" 299 | once "^1.3.0" 300 | path-is-absolute "^1.0.0" 301 | 302 | growl@1.10.5: 303 | version "1.10.5" 304 | resolved "https://registry.yarnpkg.com/growl/-/growl-1.10.5.tgz#f2735dc2283674fa67478b10181059355c369e5e" 305 | integrity sha512-qBr4OuELkhPenW6goKVXiv47US3clb3/IbuWF9KNKEijAy9oeHxU9IgzjvJhHkUzhaj7rOUD7+YGWqUjLp5oSA== 306 | 307 | has-flag@^3.0.0: 308 | version "3.0.0" 309 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-3.0.0.tgz#b5d454dc2199ae225699f3467e5a07f3b955bafd" 310 | integrity sha1-tdRU3CGZriJWmfNGfloH87lVuv0= 311 | 312 | has-symbols@^1.0.0: 313 | version "1.0.0" 314 | resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.0.tgz#ba1a8f1af2a0fc39650f5c850367704122063b44" 315 | integrity sha1-uhqPGvKg/DllD1yFA2dwQSIGO0Q= 316 | 317 | has@^1.0.1, has@^1.0.3: 318 | version "1.0.3" 319 | resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796" 320 | integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw== 321 | dependencies: 322 | function-bind "^1.1.1" 323 | 324 | he@1.2.0: 325 | version "1.2.0" 326 | resolved "https://registry.yarnpkg.com/he/-/he-1.2.0.tgz#84ae65fa7eafb165fddb61566ae14baf05664f0f" 327 | integrity sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw== 328 | 329 | ieee754@1.1.8: 330 | version "1.1.8" 331 | resolved "https://registry.yarnpkg.com/ieee754/-/ieee754-1.1.8.tgz#be33d40ac10ef1926701f6f08a2d86fbfd1ad3e4" 332 | 333 | ieee754@^1.1.4: 334 | version "1.1.11" 335 | resolved "https://registry.yarnpkg.com/ieee754/-/ieee754-1.1.11.tgz#c16384ffe00f5b7835824e67b6f2bd44a5229455" 336 | 337 | inflight@^1.0.4: 338 | version "1.0.6" 339 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9" 340 | integrity sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk= 341 | dependencies: 342 | once "^1.3.0" 343 | wrappy "1" 344 | 345 | inherits@2: 346 | version "2.0.3" 347 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de" 348 | 349 | invert-kv@^2.0.0: 350 | version "2.0.0" 351 | resolved "https://registry.yarnpkg.com/invert-kv/-/invert-kv-2.0.0.tgz#7393f5afa59ec9ff5f67a27620d11c226e3eec02" 352 | integrity sha512-wPVv/y/QQ/Uiirj/vh3oP+1Ww+AWehmi1g5fFWGPF6IpCBCDVrhgHRMvrLfdYcwDh3QJbGXDW4JAuzxElLSqKA== 353 | 354 | is-buffer@~2.0.3: 355 | version "2.0.3" 356 | resolved "https://registry.yarnpkg.com/is-buffer/-/is-buffer-2.0.3.tgz#4ecf3fcf749cbd1e472689e109ac66261a25e725" 357 | integrity sha512-U15Q7MXTuZlrbymiz95PJpZxu8IlipAp4dtS3wOdgPXx3mqBnslrWU14kxfHB+Py/+2PVKSr37dMAgM2A4uArw== 358 | 359 | is-callable@^1.1.4: 360 | version "1.1.4" 361 | resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.1.4.tgz#1e1adf219e1eeb684d691f9d6a05ff0d30a24d75" 362 | integrity sha512-r5p9sxJjYnArLjObpjA4xu5EKI3CuKHkJXMhT7kwbpUyIFD1n5PMAsoPvWnvtZiNz7LjkYDRZhd7FlI0eMijEA== 363 | 364 | is-date-object@^1.0.1: 365 | version "1.0.1" 366 | resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.1.tgz#9aa20eb6aeebbff77fbd33e74ca01b33581d3a16" 367 | integrity sha1-mqIOtq7rv/d/vTPnTKAbM1gdOhY= 368 | 369 | is-fullwidth-code-point@^1.0.0: 370 | version "1.0.0" 371 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-1.0.0.tgz#ef9e31386f031a7f0d643af82fde50c457ef00cb" 372 | integrity sha1-754xOG8DGn8NZDr4L95QxFfvAMs= 373 | dependencies: 374 | number-is-nan "^1.0.0" 375 | 376 | is-fullwidth-code-point@^2.0.0: 377 | version "2.0.0" 378 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f" 379 | integrity sha1-o7MKXE8ZkYMWeqq5O+764937ZU8= 380 | 381 | is-regex@^1.0.4: 382 | version "1.0.4" 383 | resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.0.4.tgz#5517489b547091b0930e095654ced25ee97e9491" 384 | integrity sha1-VRdIm1RwkbCTDglWVM7SXul+lJE= 385 | dependencies: 386 | has "^1.0.1" 387 | 388 | is-stream@^1.1.0: 389 | version "1.1.0" 390 | resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-1.1.0.tgz#12d4a3dd4e68e0b79ceb8dbc84173ae80d91ca44" 391 | integrity sha1-EtSj3U5o4Lec6428hBc66A2RykQ= 392 | 393 | is-symbol@^1.0.2: 394 | version "1.0.2" 395 | resolved "https://registry.yarnpkg.com/is-symbol/-/is-symbol-1.0.2.tgz#a055f6ae57192caee329e7a860118b497a950f38" 396 | integrity sha512-HS8bZ9ox60yCJLH9snBpIwv9pYUAkcuLhSA1oero1UB5y9aiQpRA8y2ex945AOtCZL1lJDeIk3G5LthswI46Lw== 397 | dependencies: 398 | has-symbols "^1.0.0" 399 | 400 | isarray@^1.0.0: 401 | version "1.0.0" 402 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" 403 | 404 | isexe@^2.0.0: 405 | version "2.0.0" 406 | resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10" 407 | integrity sha1-6PvzdNxVb/iUehDcsFctYz8s+hA= 408 | 409 | jayschema@^0.3.1: 410 | version "0.3.2" 411 | resolved "https://registry.yarnpkg.com/jayschema/-/jayschema-0.3.2.tgz#7630ef74577274e95ad6d386ddfa091fcee8df4b" 412 | dependencies: 413 | when "~3.4.6" 414 | 415 | jmespath@0.15.0: 416 | version "0.15.0" 417 | resolved "https://registry.yarnpkg.com/jmespath/-/jmespath-0.15.0.tgz#a3f222a9aae9f966f5d27c796510e28091764217" 418 | 419 | js-yaml@3.13.1: 420 | version "3.13.1" 421 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-3.13.1.tgz#aff151b30bfdfa8e49e05da22e7415e9dfa37847" 422 | integrity sha512-YfbcO7jXDdyj0DGxYVSlSeQNHbD7XPWvrVWeVUujrQEoZzWJIRrCPoyk6kL6IAjAG2IolMK4T0hNUe0HOUs5Jw== 423 | dependencies: 424 | argparse "^1.0.7" 425 | esprima "^4.0.0" 426 | 427 | lcid@^2.0.0: 428 | version "2.0.0" 429 | resolved "https://registry.yarnpkg.com/lcid/-/lcid-2.0.0.tgz#6ef5d2df60e52f82eb228a4c373e8d1f397253cf" 430 | integrity sha512-avPEb8P8EGnwXKClwsNUgryVjllcRqtMYa49NTsbQagYuT1DcXnl1915oxWjoyGrXR6zH/Y0Zc96xWsPcoDKeA== 431 | dependencies: 432 | invert-kv "^2.0.0" 433 | 434 | locate-path@^3.0.0: 435 | version "3.0.0" 436 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-3.0.0.tgz#dbec3b3ab759758071b58fe59fc41871af21400e" 437 | integrity sha512-7AO748wWnIhNqAuaty2ZWHkQHRSNfPVIsPIfwEOWO22AmaoVrWavlOcMR5nzTLNYvp36X220/maaRsrec1G65A== 438 | dependencies: 439 | p-locate "^3.0.0" 440 | path-exists "^3.0.0" 441 | 442 | lodash@^4.14.0, lodash@^4.17.11, lodash@^4.17.14: 443 | version "4.17.14" 444 | resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.14.tgz#9ce487ae66c96254fe20b599f21b6816028078ba" 445 | integrity sha512-mmKYbW3GLuJeX+iGP+Y7Gp1AiGHGbXHCOh/jZmrawMmsE7MS4znI3RL2FsjbqOyMayHInjOeykW7PEajUk1/xw== 446 | 447 | log-symbols@2.2.0: 448 | version "2.2.0" 449 | resolved "https://registry.yarnpkg.com/log-symbols/-/log-symbols-2.2.0.tgz#5740e1c5d6f0dfda4ad9323b5332107ef6b4c40a" 450 | integrity sha512-VeIAFslyIerEJLXHziedo2basKbMKtTw3vfn5IzG0XTjhAVEJyNHnL2p7vc+wBDSdQuUpNw3M2u6xb9QsAY5Eg== 451 | dependencies: 452 | chalk "^2.0.1" 453 | 454 | map-age-cleaner@^0.1.1: 455 | version "0.1.3" 456 | resolved "https://registry.yarnpkg.com/map-age-cleaner/-/map-age-cleaner-0.1.3.tgz#7d583a7306434c055fe474b0f45078e6e1b4b92a" 457 | integrity sha512-bJzx6nMoP6PDLPBFmg7+xRKeFZvFboMrGlxmNj9ClvX53KrmvM5bXFXEWjbz4cz1AFn+jWJ9z/DJSz7hrs0w3w== 458 | dependencies: 459 | p-defer "^1.0.0" 460 | 461 | mem@^4.0.0: 462 | version "4.3.0" 463 | resolved "https://registry.yarnpkg.com/mem/-/mem-4.3.0.tgz#461af497bc4ae09608cdb2e60eefb69bff744178" 464 | integrity sha512-qX2bG48pTqYRVmDB37rn/6PT7LcR8T7oAX3bf99u1Tt1nzxYfxkgqDwUwolPlXweM0XzBOBFzSx4kfp7KP1s/w== 465 | dependencies: 466 | map-age-cleaner "^0.1.1" 467 | mimic-fn "^2.0.0" 468 | p-is-promise "^2.0.0" 469 | 470 | mimic-fn@^2.0.0: 471 | version "2.1.0" 472 | resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-2.1.0.tgz#7ed2c2ccccaf84d3ffcb7a69b57711fc2083401b" 473 | integrity sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg== 474 | 475 | minimatch@3.0.4, minimatch@^3.0.4: 476 | version "3.0.4" 477 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083" 478 | integrity sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA== 479 | dependencies: 480 | brace-expansion "^1.1.7" 481 | 482 | minimist@0.0.8: 483 | version "0.0.8" 484 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.8.tgz#857fcabfc3397d2625b8228262e86aa7a011b05d" 485 | 486 | mkdirp@0.5.1: 487 | version "0.5.1" 488 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.1.tgz#30057438eac6cf7f8c4767f38648d6697d75c903" 489 | dependencies: 490 | minimist "0.0.8" 491 | 492 | mocha@^6.1.4: 493 | version "6.1.4" 494 | resolved "https://registry.yarnpkg.com/mocha/-/mocha-6.1.4.tgz#e35fada242d5434a7e163d555c705f6875951640" 495 | integrity sha512-PN8CIy4RXsIoxoFJzS4QNnCH4psUCPWc4/rPrst/ecSJJbLBkubMiyGCP2Kj/9YnWbotFqAoeXyXMucj7gwCFg== 496 | dependencies: 497 | ansi-colors "3.2.3" 498 | browser-stdout "1.3.1" 499 | debug "3.2.6" 500 | diff "3.5.0" 501 | escape-string-regexp "1.0.5" 502 | find-up "3.0.0" 503 | glob "7.1.3" 504 | growl "1.10.5" 505 | he "1.2.0" 506 | js-yaml "3.13.1" 507 | log-symbols "2.2.0" 508 | minimatch "3.0.4" 509 | mkdirp "0.5.1" 510 | ms "2.1.1" 511 | node-environment-flags "1.0.5" 512 | object.assign "4.1.0" 513 | strip-json-comments "2.0.1" 514 | supports-color "6.0.0" 515 | which "1.3.1" 516 | wide-align "1.1.3" 517 | yargs "13.2.2" 518 | yargs-parser "13.0.0" 519 | yargs-unparser "1.5.0" 520 | 521 | mockery@^1.7.0: 522 | version "1.7.0" 523 | resolved "https://registry.yarnpkg.com/mockery/-/mockery-1.7.0.tgz#f4ede0d8750c1c9727c272ea2c60629e2c9a1c4f" 524 | 525 | moment@^2.13.0: 526 | version "2.22.1" 527 | resolved "https://registry.yarnpkg.com/moment/-/moment-2.22.1.tgz#529a2e9bf973f259c9643d237fda84de3a26e8ad" 528 | 529 | ms@2.1.1: 530 | version "2.1.1" 531 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.1.tgz#30a5864eb3ebb0a66f2ebe6d727af06a09d86e0a" 532 | integrity sha512-tgp+dl5cGk28utYktBsrFqA7HKgrhgPsg6Z/EfhWI4gl1Hwq8B/GmY/0oXZ6nF8hDVesS/FpnYaD/kOWhYQvyg== 533 | 534 | ms@^2.1.1: 535 | version "2.1.2" 536 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009" 537 | integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w== 538 | 539 | nice-try@^1.0.4: 540 | version "1.0.5" 541 | resolved "https://registry.yarnpkg.com/nice-try/-/nice-try-1.0.5.tgz#a3378a7696ce7d223e88fc9b764bd7ef1089e366" 542 | integrity sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ== 543 | 544 | node-environment-flags@1.0.5: 545 | version "1.0.5" 546 | resolved "https://registry.yarnpkg.com/node-environment-flags/-/node-environment-flags-1.0.5.tgz#fa930275f5bf5dae188d6192b24b4c8bbac3d76a" 547 | integrity sha512-VNYPRfGfmZLx0Ye20jWzHUjyTW/c+6Wq+iLhDzUI4XmhrDd9l/FozXV3F2xOaXjvp0co0+v1YSR3CMP6g+VvLQ== 548 | dependencies: 549 | object.getownpropertydescriptors "^2.0.3" 550 | semver "^5.7.0" 551 | 552 | npm-run-path@^2.0.0: 553 | version "2.0.2" 554 | resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-2.0.2.tgz#35a9232dfa35d7067b4cb2ddf2357b1871536c5f" 555 | integrity sha1-NakjLfo11wZ7TLLd8jV7GHFTbF8= 556 | dependencies: 557 | path-key "^2.0.0" 558 | 559 | number-is-nan@^1.0.0: 560 | version "1.0.1" 561 | resolved "https://registry.yarnpkg.com/number-is-nan/-/number-is-nan-1.0.1.tgz#097b602b53422a522c1afb8790318336941a011d" 562 | integrity sha1-CXtgK1NCKlIsGvuHkDGDNpQaAR0= 563 | 564 | object-keys@^1.0.11, object-keys@^1.0.12: 565 | version "1.1.1" 566 | resolved "https://registry.yarnpkg.com/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e" 567 | integrity sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA== 568 | 569 | object.assign@4.1.0: 570 | version "4.1.0" 571 | resolved "https://registry.yarnpkg.com/object.assign/-/object.assign-4.1.0.tgz#968bf1100d7956bb3ca086f006f846b3bc4008da" 572 | integrity sha512-exHJeq6kBKj58mqGyTQ9DFvrZC/eR6OwxzoM9YRoGBqrXYonaFyGiFMuc9VZrXf7DarreEwMpurG3dd+CNyW5w== 573 | dependencies: 574 | define-properties "^1.1.2" 575 | function-bind "^1.1.1" 576 | has-symbols "^1.0.0" 577 | object-keys "^1.0.11" 578 | 579 | object.getownpropertydescriptors@^2.0.3: 580 | version "2.0.3" 581 | resolved "https://registry.yarnpkg.com/object.getownpropertydescriptors/-/object.getownpropertydescriptors-2.0.3.tgz#8758c846f5b407adab0f236e0986f14b051caa16" 582 | integrity sha1-h1jIRvW0B62rDyNuCYbxSwUcqhY= 583 | dependencies: 584 | define-properties "^1.1.2" 585 | es-abstract "^1.5.1" 586 | 587 | once@^1.3.0, once@^1.3.1, once@^1.4.0: 588 | version "1.4.0" 589 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" 590 | integrity sha1-WDsap3WWHUsROsF9nFC6753Xa9E= 591 | dependencies: 592 | wrappy "1" 593 | 594 | os-locale@^3.0.0, os-locale@^3.1.0: 595 | version "3.1.0" 596 | resolved "https://registry.yarnpkg.com/os-locale/-/os-locale-3.1.0.tgz#a802a6ee17f24c10483ab9935719cef4ed16bf1a" 597 | integrity sha512-Z8l3R4wYWM40/52Z+S265okfFj8Kt2cC2MKY+xNi3kFs+XGI7WXu/I309QQQYbRW4ijiZ+yxs9pqEhJh0DqW3Q== 598 | dependencies: 599 | execa "^1.0.0" 600 | lcid "^2.0.0" 601 | mem "^4.0.0" 602 | 603 | p-defer@^1.0.0: 604 | version "1.0.0" 605 | resolved "https://registry.yarnpkg.com/p-defer/-/p-defer-1.0.0.tgz#9f6eb182f6c9aa8cd743004a7d4f96b196b0fb0c" 606 | integrity sha1-n26xgvbJqozXQwBKfU+WsZaw+ww= 607 | 608 | p-finally@^1.0.0: 609 | version "1.0.0" 610 | resolved "https://registry.yarnpkg.com/p-finally/-/p-finally-1.0.0.tgz#3fbcfb15b899a44123b34b6dcc18b724336a2cae" 611 | integrity sha1-P7z7FbiZpEEjs0ttzBi3JDNqLK4= 612 | 613 | p-is-promise@^2.0.0: 614 | version "2.1.0" 615 | resolved "https://registry.yarnpkg.com/p-is-promise/-/p-is-promise-2.1.0.tgz#918cebaea248a62cf7ffab8e3bca8c5f882fc42e" 616 | integrity sha512-Y3W0wlRPK8ZMRbNq97l4M5otioeA5lm1z7bkNkxCka8HSPjR0xRWmpCmc9utiaLP9Jb1eD8BgeIxTW4AIF45Pg== 617 | 618 | p-limit@^2.0.0: 619 | version "2.2.0" 620 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-2.2.0.tgz#417c9941e6027a9abcba5092dd2904e255b5fbc2" 621 | integrity sha512-pZbTJpoUsCzV48Mc9Nh51VbwO0X9cuPFE8gYwx9BTCt9SF8/b7Zljd2fVgOxhIF/HDTKgpVzs+GPhyKfjLLFRQ== 622 | dependencies: 623 | p-try "^2.0.0" 624 | 625 | p-locate@^3.0.0: 626 | version "3.0.0" 627 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-3.0.0.tgz#322d69a05c0264b25997d9f40cd8a891ab0064a4" 628 | integrity sha512-x+12w/To+4GFfgJhBEpiDcLozRJGegY+Ei7/z0tSLkMmxGZNybVMSfWj9aJn8Z5Fc7dBUNJOOVgPv2H7IwulSQ== 629 | dependencies: 630 | p-limit "^2.0.0" 631 | 632 | p-try@^2.0.0: 633 | version "2.2.0" 634 | resolved "https://registry.yarnpkg.com/p-try/-/p-try-2.2.0.tgz#cb2868540e313d61de58fafbe35ce9004d5540e6" 635 | integrity sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ== 636 | 637 | path-exists@^3.0.0: 638 | version "3.0.0" 639 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-3.0.0.tgz#ce0ebeaa5f78cb18925ea7d810d7b59b010fd515" 640 | integrity sha1-zg6+ql94yxiSXqfYENe1mwEP1RU= 641 | 642 | path-is-absolute@^1.0.0: 643 | version "1.0.1" 644 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" 645 | integrity sha1-F0uSaHNVNP+8es5r9TpanhtcX18= 646 | 647 | path-key@^2.0.0, path-key@^2.0.1: 648 | version "2.0.1" 649 | resolved "https://registry.yarnpkg.com/path-key/-/path-key-2.0.1.tgz#411cadb574c5a140d3a4b1910d40d80cc9f40b40" 650 | integrity sha1-QRyttXTFoUDTpLGRDUDYDMn0C0A= 651 | 652 | pump@^3.0.0: 653 | version "3.0.0" 654 | resolved "https://registry.yarnpkg.com/pump/-/pump-3.0.0.tgz#b4a2116815bde2f4e1ea602354e8c75565107a64" 655 | integrity sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww== 656 | dependencies: 657 | end-of-stream "^1.1.0" 658 | once "^1.3.1" 659 | 660 | punycode@1.3.2: 661 | version "1.3.2" 662 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.3.2.tgz#9653a036fb7c1ee42342f2325cceefea3926c48d" 663 | 664 | querystring@0.2.0: 665 | version "0.2.0" 666 | resolved "https://registry.yarnpkg.com/querystring/-/querystring-0.2.0.tgz#b209849203bb25df820da756e747005878521620" 667 | 668 | require-directory@^2.1.1: 669 | version "2.1.1" 670 | resolved "https://registry.yarnpkg.com/require-directory/-/require-directory-2.1.1.tgz#8c64ad5fd30dab1c976e2344ffe7f792a6a6df42" 671 | integrity sha1-jGStX9MNqxyXbiNE/+f3kqam30I= 672 | 673 | require-main-filename@^1.0.1: 674 | version "1.0.1" 675 | resolved "https://registry.yarnpkg.com/require-main-filename/-/require-main-filename-1.0.1.tgz#97f717b69d48784f5f526a6c5aa8ffdda055a4d1" 676 | integrity sha1-l/cXtp1IeE9fUmpsWqj/3aBVpNE= 677 | 678 | require-main-filename@^2.0.0: 679 | version "2.0.0" 680 | resolved "https://registry.yarnpkg.com/require-main-filename/-/require-main-filename-2.0.0.tgz#d0b329ecc7cc0f61649f62215be69af54aa8989b" 681 | integrity sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg== 682 | 683 | sax@1.2.1: 684 | version "1.2.1" 685 | resolved "https://registry.yarnpkg.com/sax/-/sax-1.2.1.tgz#7b8e656190b228e81a66aea748480d828cd2d37a" 686 | 687 | sax@>=0.6.0: 688 | version "1.2.4" 689 | resolved "https://registry.yarnpkg.com/sax/-/sax-1.2.4.tgz#2816234e2378bddc4e5354fab5caa895df7100d9" 690 | 691 | semver@^5.5.0, semver@^5.7.0: 692 | version "5.7.0" 693 | resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.0.tgz#790a7cf6fea5459bac96110b29b60412dc8ff96b" 694 | integrity sha512-Ya52jSX2u7QKghxeoFGpLwCtGlt7j0oY9DYb5apt9nPlJ42ID+ulTXESnt/qAQcoSERyZ5sl3LDIOw0nAn/5DA== 695 | 696 | set-blocking@^2.0.0: 697 | version "2.0.0" 698 | resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7" 699 | integrity sha1-BF+XgtARrppoA93TgrJDkrPYkPc= 700 | 701 | shebang-command@^1.2.0: 702 | version "1.2.0" 703 | resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-1.2.0.tgz#44aac65b695b03398968c39f363fee5deafdf1ea" 704 | integrity sha1-RKrGW2lbAzmJaMOfNj/uXer98eo= 705 | dependencies: 706 | shebang-regex "^1.0.0" 707 | 708 | shebang-regex@^1.0.0: 709 | version "1.0.0" 710 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-1.0.0.tgz#da42f49740c0b42db2ca9728571cb190c98efea3" 711 | integrity sha1-2kL0l0DAtC2yypcoVxyxkMmO/qM= 712 | 713 | signal-exit@^3.0.0: 714 | version "3.0.2" 715 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.2.tgz#b5fdc08f1287ea1178628e415e25132b73646c6d" 716 | integrity sha1-tf3AjxKH6hF4Yo5BXiUTK3NkbG0= 717 | 718 | sprintf-js@~1.0.2: 719 | version "1.0.3" 720 | resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.0.3.tgz#04e6926f662895354f3dd015203633b857297e2c" 721 | integrity sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw= 722 | 723 | string-width@^1.0.1: 724 | version "1.0.2" 725 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-1.0.2.tgz#118bdf5b8cdc51a2a7e70d211e07e2b0b9b107d3" 726 | integrity sha1-EYvfW4zcUaKn5w0hHgfisLmxB9M= 727 | dependencies: 728 | code-point-at "^1.0.0" 729 | is-fullwidth-code-point "^1.0.0" 730 | strip-ansi "^3.0.0" 731 | 732 | "string-width@^1.0.2 || 2", string-width@^2.0.0, string-width@^2.1.1: 733 | version "2.1.1" 734 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-2.1.1.tgz#ab93f27a8dc13d28cac815c462143a6d9012ae9e" 735 | integrity sha512-nOqH59deCq9SRHlxq1Aw85Jnt4w6KvLKqWVik6oA9ZklXLNIOlqg4F2yrT1MVaTjAqvVwdfeZ7w7aCvJD7ugkw== 736 | dependencies: 737 | is-fullwidth-code-point "^2.0.0" 738 | strip-ansi "^4.0.0" 739 | 740 | string-width@^3.0.0: 741 | version "3.1.0" 742 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-3.1.0.tgz#22767be21b62af1081574306f69ac51b62203961" 743 | integrity sha512-vafcv6KjVZKSgz06oM/H6GDBrAtz8vdhQakGjFIvNrHA6y3HCF1CInLy+QLq8dTJPQ1b+KDUqDFctkdRW44e1w== 744 | dependencies: 745 | emoji-regex "^7.0.1" 746 | is-fullwidth-code-point "^2.0.0" 747 | strip-ansi "^5.1.0" 748 | 749 | strip-ansi@^3.0.0, strip-ansi@^3.0.1: 750 | version "3.0.1" 751 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-3.0.1.tgz#6a385fb8853d952d5ff05d0e8aaf94278dc63dcf" 752 | integrity sha1-ajhfuIU9lS1f8F0Oiq+UJ43GPc8= 753 | dependencies: 754 | ansi-regex "^2.0.0" 755 | 756 | strip-ansi@^4.0.0: 757 | version "4.0.0" 758 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-4.0.0.tgz#a8479022eb1ac368a871389b635262c505ee368f" 759 | integrity sha1-qEeQIusaw2iocTibY1JixQXuNo8= 760 | dependencies: 761 | ansi-regex "^3.0.0" 762 | 763 | strip-ansi@^5.1.0: 764 | version "5.2.0" 765 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-5.2.0.tgz#8c9a536feb6afc962bdfa5b104a5091c1ad9c0ae" 766 | integrity sha512-DuRs1gKbBqsMKIZlrffwlug8MHkcnpjs5VPmL1PAh+mA30U0DTotfDZ0d2UUsXpPmPmMMJ6W773MaA3J+lbiWA== 767 | dependencies: 768 | ansi-regex "^4.1.0" 769 | 770 | strip-eof@^1.0.0: 771 | version "1.0.0" 772 | resolved "https://registry.yarnpkg.com/strip-eof/-/strip-eof-1.0.0.tgz#bb43ff5598a6eb05d89b59fcd129c983313606bf" 773 | integrity sha1-u0P/VZim6wXYm1n80SnJgzE2Br8= 774 | 775 | strip-json-comments@2.0.1: 776 | version "2.0.1" 777 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-2.0.1.tgz#3c531942e908c2697c0ec344858c286c7ca0a60a" 778 | integrity sha1-PFMZQukIwml8DsNEhYwobHygpgo= 779 | 780 | supports-color@6.0.0: 781 | version "6.0.0" 782 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-6.0.0.tgz#76cfe742cf1f41bb9b1c29ad03068c05b4c0e40a" 783 | integrity sha512-on9Kwidc1IUQo+bQdhi8+Tijpo0e1SS6RoGo2guUwn5vdaxw8RXOF9Vb2ws+ihWOmh4JnCJOvaziZWP1VABaLg== 784 | dependencies: 785 | has-flag "^3.0.0" 786 | 787 | supports-color@^5.3.0: 788 | version "5.5.0" 789 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-5.5.0.tgz#e2e69a44ac8772f78a1ec0b35b689df6530efc8f" 790 | integrity sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow== 791 | dependencies: 792 | has-flag "^3.0.0" 793 | 794 | type-detect@0.1.1: 795 | version "0.1.1" 796 | resolved "https://registry.yarnpkg.com/type-detect/-/type-detect-0.1.1.tgz#0ba5ec2a885640e470ea4e8505971900dac58822" 797 | 798 | type-detect@^1.0.0: 799 | version "1.0.0" 800 | resolved "https://registry.yarnpkg.com/type-detect/-/type-detect-1.0.0.tgz#762217cc06db258ec48908a1298e8b95121e8ea2" 801 | 802 | url@0.10.3: 803 | version "0.10.3" 804 | resolved "https://registry.yarnpkg.com/url/-/url-0.10.3.tgz#021e4d9c7705f21bbf37d03ceb58767402774c64" 805 | dependencies: 806 | punycode "1.3.2" 807 | querystring "0.2.0" 808 | 809 | uuid@3.3.2: 810 | version "3.3.2" 811 | resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.3.2.tgz#1b4af4955eb3077c501c23872fc6513811587131" 812 | integrity sha512-yXJmeNaw3DnnKAOKJE51sL/ZaYfWJRl1pK9dr19YFCu0ObS231AB1/LbqTKRAQ5kw8A90rA6fr4riOUpTZvQZA== 813 | 814 | when@~3.4.6: 815 | version "3.4.6" 816 | resolved "https://registry.yarnpkg.com/when/-/when-3.4.6.tgz#8fbcb7cc1439d2c3a68c431f1516e6dcce9ad28c" 817 | 818 | which-module@^2.0.0: 819 | version "2.0.0" 820 | resolved "https://registry.yarnpkg.com/which-module/-/which-module-2.0.0.tgz#d9ef07dce77b9902b8a3a8fa4b31c3e3f7e6e87a" 821 | integrity sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho= 822 | 823 | which@1.3.1, which@^1.2.9: 824 | version "1.3.1" 825 | resolved "https://registry.yarnpkg.com/which/-/which-1.3.1.tgz#a45043d54f5805316da8d62f9f50918d3da70b0a" 826 | integrity sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ== 827 | dependencies: 828 | isexe "^2.0.0" 829 | 830 | wide-align@1.1.3: 831 | version "1.1.3" 832 | resolved "https://registry.yarnpkg.com/wide-align/-/wide-align-1.1.3.tgz#ae074e6bdc0c14a431e804e624549c633b000457" 833 | integrity sha512-QGkOQc8XL6Bt5PwnsExKBPuMKBxnGxWWW3fU55Xt4feHozMUhdUMaBCk290qpm/wG5u/RSKzwdAC4i51YigihA== 834 | dependencies: 835 | string-width "^1.0.2 || 2" 836 | 837 | wrap-ansi@^2.0.0: 838 | version "2.1.0" 839 | resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-2.1.0.tgz#d8fc3d284dd05794fe84973caecdd1cf824fdd85" 840 | integrity sha1-2Pw9KE3QV5T+hJc8rs3Rz4JP3YU= 841 | dependencies: 842 | string-width "^1.0.1" 843 | strip-ansi "^3.0.1" 844 | 845 | wrappy@1: 846 | version "1.0.2" 847 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" 848 | integrity sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8= 849 | 850 | xml2js@0.4.19: 851 | version "0.4.19" 852 | resolved "https://registry.yarnpkg.com/xml2js/-/xml2js-0.4.19.tgz#686c20f213209e94abf0d1bcf1efaa291c7827a7" 853 | integrity sha512-esZnJZJOiJR9wWKMyuvSE1y6Dq5LCuJanqhxslH2bxM6duahNZ+HMpCLhBQGZkbX6xRf8x1Y2eJlgt2q3qo49Q== 854 | dependencies: 855 | sax ">=0.6.0" 856 | xmlbuilder "~9.0.1" 857 | 858 | xmlbuilder@~9.0.1: 859 | version "9.0.7" 860 | resolved "https://registry.yarnpkg.com/xmlbuilder/-/xmlbuilder-9.0.7.tgz#132ee63d2ec5565c557e20f4c22df9aca686b10d" 861 | integrity sha1-Ey7mPS7FVlxVfiD0wi35rKaGsQ0= 862 | 863 | "y18n@^3.2.1 || ^4.0.0", y18n@^4.0.0: 864 | version "4.0.0" 865 | resolved "https://registry.yarnpkg.com/y18n/-/y18n-4.0.0.tgz#95ef94f85ecc81d007c264e190a120f0a3c8566b" 866 | integrity sha512-r9S/ZyXu/Xu9q1tYlpsLIsa3EeLXXk0VwlxqTcFRfg9EhMW+17kbt9G0NrgCmhGb5vT2hyhJZLfDGx+7+5Uj/w== 867 | 868 | yargs-parser@13.0.0: 869 | version "13.0.0" 870 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-13.0.0.tgz#3fc44f3e76a8bdb1cc3602e860108602e5ccde8b" 871 | integrity sha512-w2LXjoL8oRdRQN+hOyppuXs+V/fVAYtpcrRxZuF7Kt/Oc+Jr2uAcVntaUTNT6w5ihoWfFDpNY8CPx1QskxZ/pw== 872 | dependencies: 873 | camelcase "^5.0.0" 874 | decamelize "^1.2.0" 875 | 876 | yargs-parser@^11.1.1: 877 | version "11.1.1" 878 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-11.1.1.tgz#879a0865973bca9f6bab5cbdf3b1c67ec7d3bcf4" 879 | integrity sha512-C6kB/WJDiaxONLJQnF8ccx9SEeoTTLek8RVbaOIsrAUS8VrBEXfmeSnCZxygc+XC2sNMBIwOOnfcxiynjHsVSQ== 880 | dependencies: 881 | camelcase "^5.0.0" 882 | decamelize "^1.2.0" 883 | 884 | yargs-parser@^13.0.0: 885 | version "13.1.1" 886 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-13.1.1.tgz#d26058532aa06d365fe091f6a1fc06b2f7e5eca0" 887 | integrity sha512-oVAVsHz6uFrg3XQheFII8ESO2ssAf9luWuAd6Wexsu4F3OtIW0o8IribPXYrD4WC24LWtPrJlGy87y5udK+dxQ== 888 | dependencies: 889 | camelcase "^5.0.0" 890 | decamelize "^1.2.0" 891 | 892 | yargs-unparser@1.5.0: 893 | version "1.5.0" 894 | resolved "https://registry.yarnpkg.com/yargs-unparser/-/yargs-unparser-1.5.0.tgz#f2bb2a7e83cbc87bb95c8e572828a06c9add6e0d" 895 | integrity sha512-HK25qidFTCVuj/D1VfNiEndpLIeJN78aqgR23nL3y4N0U/91cOAzqfHlF8n2BvoNDcZmJKin3ddNSvOxSr8flw== 896 | dependencies: 897 | flat "^4.1.0" 898 | lodash "^4.17.11" 899 | yargs "^12.0.5" 900 | 901 | yargs@13.2.2: 902 | version "13.2.2" 903 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-13.2.2.tgz#0c101f580ae95cea7f39d927e7770e3fdc97f993" 904 | integrity sha512-WyEoxgyTD3w5XRpAQNYUB9ycVH/PQrToaTXdYXRdOXvEy1l19br+VJsc0vcO8PTGg5ro/l/GY7F/JMEBmI0BxA== 905 | dependencies: 906 | cliui "^4.0.0" 907 | find-up "^3.0.0" 908 | get-caller-file "^2.0.1" 909 | os-locale "^3.1.0" 910 | require-directory "^2.1.1" 911 | require-main-filename "^2.0.0" 912 | set-blocking "^2.0.0" 913 | string-width "^3.0.0" 914 | which-module "^2.0.0" 915 | y18n "^4.0.0" 916 | yargs-parser "^13.0.0" 917 | 918 | yargs@^12.0.5: 919 | version "12.0.5" 920 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-12.0.5.tgz#05f5997b609647b64f66b81e3b4b10a368e7ad13" 921 | integrity sha512-Lhz8TLaYnxq/2ObqHDql8dX8CJi97oHxrjUcYtzKbbykPtVW9WB+poxI+NM2UIzsMgNCZTIf0AQwsjK5yMAqZw== 922 | dependencies: 923 | cliui "^4.0.0" 924 | decamelize "^1.2.0" 925 | find-up "^3.0.0" 926 | get-caller-file "^1.0.1" 927 | os-locale "^3.0.0" 928 | require-directory "^2.1.1" 929 | require-main-filename "^1.0.1" 930 | set-blocking "^2.0.0" 931 | string-width "^2.0.0" 932 | which-module "^2.0.0" 933 | y18n "^3.2.1 || ^4.0.0" 934 | yargs-parser "^11.1.1" 935 | --------------------------------------------------------------------------------