├── .dockerignore ├── config.json.sample ├── docker-compose.yml ├── .travis.yml ├── src ├── models │ ├── behavior.js │ ├── simple-message-behavior.js │ └── memory-behavior.js ├── behaviors │ ├── heat.js │ ├── version.js │ ├── greet.js │ ├── approve.js │ ├── unresponsive.js │ ├── fto.js │ ├── quiet.js │ ├── help.js │ ├── voice.js │ └── index.js ├── utils.js ├── interfaces │ ├── cli.js │ └── irc.js └── bot.js ├── spec ├── support │ └── jasmine.json ├── version-spec.js ├── utils-spec.js ├── test-utils.js ├── unresponsive-spec.js ├── behaviors-spec.js ├── help-spec.js └── fto-spec.js ├── Dockerfile ├── .eslintrc ├── CONTRIBUTING.md ├── package.json ├── .gitignore ├── README.md ├── CODE_OF_CONDUCT.md ├── LICENSE └── yarn.lock /.dockerignore: -------------------------------------------------------------------------------- 1 | node_modules 2 | npm-debug.log 3 | -------------------------------------------------------------------------------- /config.json.sample: -------------------------------------------------------------------------------- 1 | { 2 | "channels": ["#publiclab-testing"], 3 | "server": "irc.oftc.net", 4 | "name": "plotsbot" 5 | } 6 | -------------------------------------------------------------------------------- /docker-compose.yml: -------------------------------------------------------------------------------- 1 | version: "2" 2 | services: 3 | plotsbot: 4 | build: . 5 | volumes: 6 | - .:/usr/src/app 7 | ports: 8 | - "127.0.0.1:4001:4000" 9 | -------------------------------------------------------------------------------- /.travis.yml: -------------------------------------------------------------------------------- 1 | language: node_js 2 | node_js: 3 | - "6" 4 | - "7" 5 | cache: yarn 6 | script: 7 | - yarn lint 8 | - yarn test 9 | after_script: 10 | - yarn coverage 11 | -------------------------------------------------------------------------------- /src/models/behavior.js: -------------------------------------------------------------------------------- 1 | class Behavior { 2 | constructor(trigger, action, keyword) { 3 | this.trigger = trigger; 4 | this.action = action; 5 | this.keyword = keyword; 6 | } 7 | } 8 | 9 | module.exports = Behavior; 10 | -------------------------------------------------------------------------------- /spec/support/jasmine.json: -------------------------------------------------------------------------------- 1 | { 2 | "spec_dir": "spec", 3 | "spec_files": [ 4 | "**/*[sS]pec.js" 5 | ], 6 | "helpers": [ 7 | "helpers/**/*.js" 8 | ], 9 | "stopSpecOnExpectationFailure": false, 10 | "random": false 11 | } 12 | -------------------------------------------------------------------------------- /Dockerfile: -------------------------------------------------------------------------------- 1 | FROM node:8.9.0-stretch 2 | 3 | WORKDIR /usr/src/app 4 | COPY package.json yarn.lock ./ 5 | RUN yarn install --production 6 | COPY . . 7 | RUN cp -n ./config.json.sample ./config.json 8 | 9 | EXPOSE 4000 10 | CMD ["yarn", "start"] 11 | -------------------------------------------------------------------------------- /src/behaviors/heat.js: -------------------------------------------------------------------------------- 1 | const Behavior = require('../models/behavior'); 2 | const utils = require('../utils'); 3 | 4 | let heatAction = () => { 5 | return utils.exec('hddtemp /dev/sd?'); 6 | }; 7 | 8 | module.exports = new Behavior('message', heatAction, 'heat'); 9 | -------------------------------------------------------------------------------- /src/models/simple-message-behavior.js: -------------------------------------------------------------------------------- 1 | const Behavior = require('./behavior'); 2 | 3 | class SimpleMessageBehavior extends Behavior { 4 | constructor(keyword, response) { 5 | super('message', () => response, keyword); 6 | } 7 | } 8 | 9 | module.exports = SimpleMessageBehavior; 10 | -------------------------------------------------------------------------------- /src/behaviors/version.js: -------------------------------------------------------------------------------- 1 | const Behavior = require('../models/behavior'); 2 | 3 | let versionAction = (botNick) => { 4 | return `${botNick} is running package ${process.env.npm_package_name} at version ${process.env.npm_package_version}`; 5 | }; 6 | 7 | module.exports = new Behavior('message', versionAction, 'version'); 8 | -------------------------------------------------------------------------------- /src/behaviors/greet.js: -------------------------------------------------------------------------------- 1 | const MemoryBehavior = require('../models/memory-behavior'); 2 | 3 | const greetAction = (botNick, username) => { 4 | return `Welcome to Publiclab, ${username}! Here's a link to the Code of Conduct that's in effect in this, and all other spaces of Public Lab: https://publiclab.org/conduct. For a quick walkthrough, send the message: \`${botNick} help\``; 5 | }; 6 | 7 | module.exports = new MemoryBehavior('join', greetAction); 8 | -------------------------------------------------------------------------------- /src/behaviors/approve.js: -------------------------------------------------------------------------------- 1 | const Behavior = require('../models/behavior'); 2 | 3 | module.exports = (client) => { 4 | 5 | const approveAction = (botNick, username) => { 6 | // send an unquiet command: /mode #publiclab +e nick 7 | client.client.send('MODE', '#publiclab', '+e', username); 8 | // send an voice command: /mode #publiclab +e nick 9 | client.client.send('MODE', '#publiclab', '+v', username); 10 | return 'Welcome, ' + username + ', sorry for the trouble!'; 11 | }; 12 | 13 | return new Behavior('message', approveAction, 'approve'); 14 | }; 15 | -------------------------------------------------------------------------------- /src/utils.js: -------------------------------------------------------------------------------- 1 | const childProcess = require('child_process'); 2 | 3 | function contains(array, element) { 4 | return array.indexOf(element) == -1 ? false : true; 5 | } 6 | 7 | function remove(array, element) { 8 | array.splice(array.indexOf(element), 1); 9 | } 10 | 11 | function exec(command) { 12 | return new Promise((resolve, reject) => { 13 | childProcess.exec(command, (error, stdout) => { 14 | if (error) { 15 | reject(error); 16 | } else { 17 | resolve(stdout); 18 | } 19 | }); 20 | }); 21 | } 22 | 23 | module.exports = { 24 | contains, 25 | remove, 26 | exec 27 | }; 28 | -------------------------------------------------------------------------------- /src/models/memory-behavior.js: -------------------------------------------------------------------------------- 1 | const Behavior = require('./behavior'); 2 | const utils = require('../utils'); 3 | 4 | // TODO(@ryzokuken): Switch to a more persistent memory model later 5 | // (Hint: Databases) 6 | let memory = []; 7 | 8 | class MemoryBehavior extends Behavior { 9 | constructor(trigger, action, keyword) { 10 | const newAction = (botNick, username, ...args) => { 11 | if (!utils.contains(memory, username)) { 12 | memory.push(username); 13 | return action(botNick, username, ...args); 14 | } 15 | }; 16 | super(trigger, newAction, keyword); 17 | } 18 | } 19 | 20 | module.exports = MemoryBehavior; 21 | -------------------------------------------------------------------------------- /.eslintrc: -------------------------------------------------------------------------------- 1 | { 2 | "env": { 3 | "es6": true, 4 | "node": true, 5 | "jasmine": true 6 | }, 7 | "extends": "eslint:recommended", 8 | "parserOptions": { 9 | "sourceType": "module" 10 | }, 11 | "rules": { 12 | "indent": [ 13 | "error", 14 | 2 15 | ], 16 | "linebreak-style": [ 17 | "error", 18 | "unix" 19 | ], 20 | "quotes": [ 21 | "error", 22 | "single" 23 | ], 24 | "semi": [ 25 | "error", 26 | "always" 27 | ], 28 | "no-console" : "off" 29 | } 30 | } 31 | -------------------------------------------------------------------------------- /spec/version-spec.js: -------------------------------------------------------------------------------- 1 | const Behaviors = require('../src/behaviors'); 2 | 3 | describe('Version Behavior', () => { 4 | const botNick = 'testbot'; 5 | const versionBehavior = require('../src/behaviors/version'); 6 | const behaviors = new Behaviors(botNick, undefined, [], [versionBehavior]); 7 | 8 | const versionResponse = `testbot is running package ${process.env.npm_package_name} at version ${process.env.npm_package_version}`; 9 | 10 | it('should print information correctly', (done) => { 11 | behaviors.getResponse('user', botNick, 'version').then(response => { 12 | expect(response).toBe(versionResponse); 13 | done(); 14 | }); 15 | }); 16 | }); 17 | -------------------------------------------------------------------------------- /src/behaviors/unresponsive.js: -------------------------------------------------------------------------------- 1 | const Behavior = require('../models/behavior'); 2 | 3 | module.exports = ({ responseTime, offsetTime }) => { 4 | let currentTimeout; 5 | 6 | const unresponsiveAction = () => { 7 | if (currentTimeout) { 8 | clearTimeout(currentTimeout); 9 | } 10 | return new Promise((resolve, reject) => { 11 | currentTimeout = setTimeout(() => { 12 | currentTimeout = undefined; 13 | resolve(''); 14 | }, responseTime); 15 | 16 | setTimeout(() => { 17 | reject(); 18 | }, responseTime + offsetTime); 19 | }); 20 | }; 21 | 22 | return new Behavior('message', unresponsiveAction); 23 | }; 24 | -------------------------------------------------------------------------------- /src/interfaces/cli.js: -------------------------------------------------------------------------------- 1 | const readline = require('readline'); 2 | 3 | class CliClient { 4 | constructor(nick) { 5 | this.nick = nick; 6 | this.rl = readline.createInterface({ 7 | input: process.stdin, 8 | output: process.stdout, 9 | terminal: false 10 | }); 11 | } 12 | 13 | addJoinHandler() { 14 | // Ain't nobody joinin' you on the terminal 15 | } 16 | 17 | sendMessage(channel, message) { 18 | console.log(message); 19 | } 20 | 21 | addMessageHandler(actions) { 22 | this.rl.on('line', (line) => { 23 | actions(process.env.USER, this.nick, line); 24 | }); 25 | } 26 | } 27 | 28 | module.exports = CliClient; 29 | -------------------------------------------------------------------------------- /spec/utils-spec.js: -------------------------------------------------------------------------------- 1 | const utils = require('../src/utils'); 2 | 3 | describe('Utils Tests', () => { 4 | it('should use contains function properly', () => { 5 | const fruits = ['apple', 'orange', 'banana']; 6 | 7 | expect(utils.contains(fruits, 'apple')).toBe(true); 8 | expect(utils.contains(fruits, 'melon')).toBe(false); 9 | }); 10 | 11 | it('should use exec function successfully', (done) => { 12 | utils.exec('echo ping').then((result) => { 13 | expect(result.replace(/\s/g,'')).toBe('ping'); 14 | done(); 15 | }); 16 | }); 17 | 18 | it('should fail exec function gracefully', (done) => { 19 | utils.exec('exit 1').catch(() => { 20 | done(); 21 | }); 22 | }); 23 | }); 24 | -------------------------------------------------------------------------------- /src/interfaces/irc.js: -------------------------------------------------------------------------------- 1 | const irc = require('irc'); 2 | 3 | class IrcClient { 4 | constructor(server, nick, channels) { 5 | this.client = new irc.Client(server, nick, {channels}); 6 | this.client.addListener('error', (err) => { 7 | console.log(err); 8 | }); 9 | } 10 | 11 | addJoinHandler(actions) { 12 | this.client.addListener('join', (channel, nick) => { 13 | actions(channel, nick); 14 | }); 15 | } 16 | 17 | sendMessage(channel, message) { 18 | this.client.say(channel, message); 19 | } 20 | 21 | addMessageHandler(actions) { 22 | this.client.addListener('message', (from, to, message) => { 23 | actions(from, to, message); 24 | }); 25 | } 26 | } 27 | 28 | module.exports = IrcClient; 29 | -------------------------------------------------------------------------------- /spec/test-utils.js: -------------------------------------------------------------------------------- 1 | const mockGithub = { 2 | issues: { 3 | getForRepo: ({ repo }) => { 4 | return new Promise((resolve, reject) => { 5 | if (repo == 'existing') { 6 | resolve({ 7 | data: [{ 8 | number: 1, 9 | title: 'My first fake issue', 10 | html_url: 'url_1' 11 | }, { 12 | number: 2, 13 | title: 'My second fake issue', 14 | html_url: 'url_2' 15 | }] 16 | }); 17 | } else if (repo == 'nonexisting') { 18 | let err = new Error(); 19 | err.status = 'Not Found'; 20 | reject(err); 21 | } else { 22 | reject(new Error('A different error')); 23 | } 24 | }); 25 | } 26 | } 27 | }; 28 | 29 | module.exports = { 30 | mockGithub 31 | }; 32 | -------------------------------------------------------------------------------- /CONTRIBUTING.md: -------------------------------------------------------------------------------- 1 | Contributing to plotsbot 2 | ========================== 3 | 4 | We welcome community contributions to plotsbot! To setup plotsbot locally, follow the instructions in the [README.md file](https://github.com/publiclab/plotsbot#setup). 5 | 6 | ## First Timers Welcome! 7 | 8 | New to open source/free software? Here are a selection of issues we've made especially for first-timers. We're here to help, so just ask if one looks interesting: 9 | 10 | https://publiclab.github.io/community-toolbox/#r=all 11 | 12 | Thank you so much! 13 | 14 | Learn more about contributing to Public Lab code projects on these pages: 15 | 16 | * https://publiclab.org/developers 17 | * https://publiclab.org/contributing-to-public-lab-software 18 | 19 | ## Bug reports & troubleshooting 20 | 21 | If you are submitting a bug, please go to https://github.com/publiclab/plotsbot/issues/new 22 | -------------------------------------------------------------------------------- /src/behaviors/fto.js: -------------------------------------------------------------------------------- 1 | const Behavior = require('../models/behavior'); 2 | 3 | module.exports = ({ github }) => { 4 | function ftoRepo(repo) { 5 | return github.issues.getForRepo({ 6 | owner: 'publiclab', 7 | repo, 8 | labels: 'first-timers-only' 9 | }).then(data => { 10 | return data.data.reduce((acc, issue) => { 11 | return acc + `\n${issue.number} => ${issue.title} [${issue.html_url}]`; 12 | }, `publiclab/${repo}`); 13 | }).catch(err => { 14 | if (err.status === 'Not Found') { 15 | return `publiclab/${repo} is not a valid repository.`; 16 | } else { 17 | throw err; 18 | } 19 | }); 20 | } 21 | 22 | const ftoAction = (botNick, frm, options) => { 23 | if (options.length > 0) { 24 | return Promise.all(options.map(ftoRepo)).then(repos => repos.join('\n\n')); 25 | } else { 26 | return 'You need to mention the name of a repository.'; 27 | } 28 | }; 29 | 30 | return new Behavior('message', ftoAction, 'fto'); 31 | }; 32 | -------------------------------------------------------------------------------- /src/behaviors/quiet.js: -------------------------------------------------------------------------------- 1 | const MemoryBehavior = require('../models/memory-behavior'); 2 | 3 | module.exports = (client) => { 4 | // should run only on unrecognized users 5 | const quietAction = (botNick, username) => { 6 | var exempt = false; 7 | if (username.match(/\[m\]/) !== null) exempt = true; // exempt matrix user 8 | if (exempt !== true) { 9 | // send a quiet command: /mode #publiclab +q nick!*@* 10 | client.client.send('MODE', '#publiclab', '+q', username + '!*@*'); 11 | client.client.send('PRIVMSG', username, 'Welcome; because we have had some spam attacks, folks joining via IRC need to type "/msg plotsbot approve me" approved to chat. We are really sorry for the inconvenience but the spam got really awful!'); 12 | client.client.send('PRIVMSG', username, 'You may not be able to hear messages from other platforms; until this is fixed, see https://publiclab.org/chat to use a different chat system; apologies!'); 13 | } 14 | }; 15 | 16 | return new MemoryBehavior('join', quietAction); 17 | }; 18 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "plotsbot", 3 | "version": "1.6.0", 4 | "description": "A bot for Public Lab", 5 | "main": "src/bot.js", 6 | "repository": "git@github.com:publiclab/plotsbot.git", 7 | "author": "Ujjwal Sharma", 8 | "license": "GPL-3.0", 9 | "dependencies": { 10 | "express": "^4.17.1", 11 | "github": "^11.0.0", 12 | "irc": "^0.5.2", 13 | "path": "^0.12.7", 14 | "readline": "^1.3.0" 15 | }, 16 | "devDependencies": { 17 | "coveralls": "^3.1.0", 18 | "eslint": "^4.9.0", 19 | "husky": "^0.14.3", 20 | "istanbul": "^0.4.5", 21 | "jasmine": "^3.5.0" 22 | }, 23 | "scripts": { 24 | "lint": "./node_modules/.bin/eslint .", 25 | "lint-fix": "./node_modules/.bin/eslint --fix .", 26 | "test": "./node_modules/.bin/jasmine", 27 | "coverage": "./node_modules/istanbul/lib/cli.js cover ./node_modules/jasmine/bin/jasmine.js && cat ./coverage/lcov.info | ./node_modules/coveralls/bin/coveralls.js && rm -rf ./coverage", 28 | "start": "node .", 29 | "precommit": "yarn lint && yarn test" 30 | } 31 | } 32 | -------------------------------------------------------------------------------- /src/behaviors/help.js: -------------------------------------------------------------------------------- 1 | const Behavior = require('../models/behavior'); 2 | 3 | function helpMessage (name, service) { 4 | let out = `# ${service}\n`; 5 | 6 | switch (service) { 7 | case 'chatbot': 8 | out += `\`${name} help [...]\`: Prints out this descriptive help message for each mentioned module. If no modules are specified, print the help message for ALL modules.`; 9 | break; 10 | default: 11 | out += `\`${service}\` is not the name of a valid module. Try looking up the \`chatbot\` module instead.`; 12 | } 13 | 14 | return out; 15 | } 16 | 17 | function printGeneralHelp (botNick) { 18 | return helpMessage(botNick, 'chatbot'); 19 | } 20 | 21 | function printSpecificHelp (botNick, options) { 22 | return options.map((service) => helpMessage(botNick, service)).join('\n\n'); 23 | } 24 | 25 | let helpAction = (botNick, frm, options) => { 26 | if(options.length == 0) { 27 | return printGeneralHelp(botNick); 28 | } else { 29 | return printSpecificHelp(botNick, options); 30 | } 31 | }; 32 | 33 | module.exports = { 34 | helpBehavior: new Behavior('message', helpAction, 'help'), 35 | helpMessage 36 | }; 37 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | config.json 2 | 3 | # Created by https://www.gitignore.io/api/node 4 | 5 | ### Node ### 6 | # Logs 7 | logs 8 | *.log 9 | npm-debug.log* 10 | yarn-debug.log* 11 | yarn-error.log* 12 | 13 | # Runtime data 14 | pids 15 | *.pid 16 | *.seed 17 | *.pid.lock 18 | 19 | # Directory for instrumented libs generated by jscoverage/JSCover 20 | lib-cov 21 | 22 | # Coverage directory used by tools like istanbul 23 | coverage 24 | 25 | # nyc test coverage 26 | .nyc_output 27 | 28 | # Grunt intermediate storage (http://gruntjs.com/creating-plugins#storing-task-files) 29 | .grunt 30 | 31 | # Bower dependency directory (https://bower.io/) 32 | bower_components 33 | 34 | # node-waf configuration 35 | .lock-wscript 36 | 37 | # Compiled binary addons (http://nodejs.org/api/addons.html) 38 | build/Release 39 | 40 | # Dependency directories 41 | node_modules/ 42 | jspm_packages/ 43 | 44 | # Typescript v1 declaration files 45 | typings/ 46 | 47 | # Optional npm cache directory 48 | .npm 49 | 50 | # Optional eslint cache 51 | .eslintcache 52 | 53 | # Optional REPL history 54 | .node_repl_history 55 | 56 | # Output of 'npm pack' 57 | *.tgz 58 | 59 | # Yarn Integrity file 60 | .yarn-integrity 61 | 62 | # dotenv environment variables file 63 | .env 64 | 65 | 66 | # End of https://www.gitignore.io/api/node 67 | -------------------------------------------------------------------------------- /spec/unresponsive-spec.js: -------------------------------------------------------------------------------- 1 | const Behaviors = require('../src/behaviors'); 2 | 3 | const responseTime = 100; 4 | const offsetTime = 100; 5 | const standardResponse = ''; 6 | 7 | describe('Unresponsive Behavior', () => { 8 | const botNick = 'testbot'; 9 | const unresponsiveBehavior = require('../src/behaviors/unresponsive')({ responseTime, offsetTime }); 10 | const behaviors = new Behaviors(botNick, undefined, [], [unresponsiveBehavior]); 11 | 12 | it('should not print any message if nobody responds for 10 ms', (done) => { 13 | behaviors.getResponse('user', botNick, 'hello').then(response => { 14 | expect(response).toBe(standardResponse); 15 | done(); 16 | }); 17 | }); 18 | 19 | it('should respond to last message if consective messages appear', (done) => { 20 | behaviors.getResponse('user', botNick, 'hi').catch(() => { 21 | // Seems fine. 22 | }); 23 | behaviors.getResponse('user', botNick, 'hello').then(response => { 24 | expect(response).toBe(standardResponse); 25 | done(); 26 | }); 27 | }); 28 | 29 | it('should reject earlier messages if consecutive messages appear', (done) => { 30 | behaviors.getResponse('user', botNick, 'hi').catch(() => { 31 | done(); 32 | }); 33 | behaviors.getResponse('user', botNick, 'hello'); 34 | }); 35 | }); 36 | -------------------------------------------------------------------------------- /src/behaviors/voice.js: -------------------------------------------------------------------------------- 1 | const MemoryBehavior = require('../models/memory-behavior'); 2 | 3 | module.exports = (client) => { 4 | // should run only on unrecognized users 5 | const voiceAction = (botNick, username) => { 6 | var matrix = false; 7 | if (username.match(/\[m\]/) !== null) matrix = true; // exempt matrix user 8 | if (matrix) { 9 | //client.client.send('PRIVMSG', 'ChanServ', ""); 10 | client.client.send('MODE', '#publiclab', '+v', username); 11 | return 'Welcome, ' + username + ', thanks for joining us!'; 12 | } else { 13 | // send a quiet command: /mode #publiclab +q nick!*@* 14 | client.client.send('MODE', '#publiclab', '+q', username + '!*@*'); 15 | client.client.send('PRIVMSG', username, 'Welcome; because we have had some spam attacks, folks joining via IRC need to type "/msg plotsbot approve me" approved to chat. We are really sorry for the inconvenience but the spam got really awful!'); 16 | client.client.send('PRIVMSG', username, 'You may not be able to hear messages from other platforms; until this is fixed, see https://publiclab.org/chat to use a different chat system; apologies!'); 17 | return username + ' just joined via IRC; welcome! They may not hear messages via Riot/Matrix/Gitter/Slack (we are working on this problem), so use https://chat.publiclab.org to respond.'; 18 | } 19 | }; 20 | 21 | return new MemoryBehavior('join', voiceAction); 22 | }; 23 | -------------------------------------------------------------------------------- /spec/behaviors-spec.js: -------------------------------------------------------------------------------- 1 | const Behaviors = require('../src/behaviors'); 2 | const Behavior = require('../src/models/behavior'); 3 | 4 | function speakAction(botNick, frm, options) { 5 | return options.join(' '); 6 | } 7 | 8 | const speakBehavior = new Behavior('message', speakAction, 'speak'); 9 | 10 | describe('Behaviors Spec', () => { 11 | const botNick = 'testbot'; 12 | const behaviors = new Behaviors(botNick, undefined, [], [speakBehavior]); 13 | 14 | // it('should not return anything if no behavior matches', (done) => { 15 | // behaviors.getResponse(botNick, 'kappa').then(response => { 16 | // expect(response).toBe(undefined); 17 | // done(); 18 | // }); 19 | // }); 20 | 21 | it('should recognize itself correctly in IRC', (done) => { 22 | behaviors.getResponse('user', '#publiclab', 'testbot, speak hello').then((response) => { 23 | expect(response).toBe('hello'); 24 | done(); 25 | }); 26 | }); 27 | 28 | it('should recognize itself correctly on Gitter', (done) => { 29 | behaviors.getResponse('user', '#publiclab', '@testbot speak hello').then((response) => { 30 | expect(response).toBe('hello'); 31 | done(); 32 | }); 33 | }); 34 | 35 | it('should not respond if it is not mentioned', (done) => { 36 | behaviors.getResponse('user', '#publiclab', 'Hi Charlie!').then((response) => { 37 | expect(response).toBe(''); 38 | done(); 39 | }); 40 | }); 41 | }); 42 | -------------------------------------------------------------------------------- /spec/help-spec.js: -------------------------------------------------------------------------------- 1 | const Behaviors = require('../src/behaviors'); 2 | const helpMessage = require('../src/behaviors/help').helpMessage; 3 | 4 | describe('Help Behavior', () => { 5 | const botNick = 'testbot'; 6 | const helpBehavior = require('../src/behaviors/help').helpBehavior; 7 | const behaviors = new Behaviors(botNick, undefined, [], [helpBehavior]); 8 | 9 | const chatbotHelp = helpMessage(botNick, 'chatbot'); 10 | const invalidHelp = helpMessage(botNick, 'invalid'); 11 | 12 | it('should print general help', (done) => { 13 | behaviors.getResponse('user', botNick, 'help').then(response => { 14 | expect(response).toBe(chatbotHelp); 15 | done(); 16 | }); 17 | }); 18 | 19 | it('should print specific help for existing modules', (done) => { 20 | behaviors.getResponse('user', botNick, 'help chatbot').then(response => { 21 | expect(response).toBe(chatbotHelp); 22 | done(); 23 | }); 24 | }); 25 | 26 | it('should print specific help for nonexisting modules', (done) => { 27 | behaviors.getResponse('user', botNick, 'help invalid').then(response => { 28 | expect(response).toBe(invalidHelp); 29 | done(); 30 | }); 31 | }); 32 | 33 | it('should print specific help for existing and nonexisting modules combined', (done) => { 34 | behaviors.getResponse('user', botNick, 'help chatbot invalid').then(response => { 35 | expect(response).toBe(chatbotHelp + '\n\n' + invalidHelp); 36 | done(); 37 | }); 38 | }); 39 | }); 40 | -------------------------------------------------------------------------------- /spec/fto-spec.js: -------------------------------------------------------------------------------- 1 | const Behaviors = require('../src/behaviors'); 2 | const mockGithub = require('./test-utils').mockGithub; 3 | 4 | const emptyResponse = 'You need to mention the name of a repository.'; 5 | const existingResponse = 'publiclab/existing\n1 => My first fake issue [url_1]\n2 => My second fake issue [url_2]'; 6 | const nonexistingReponse = 'publiclab/nonexisting is not a valid repository.'; 7 | 8 | describe('FTO Behavior', () => { 9 | const botNick = 'testbot'; 10 | const ftoBehavior = require('../src/behaviors/fto')({ github: mockGithub }); 11 | const behaviors = new Behaviors(botNick, undefined, [], [ftoBehavior]); 12 | 13 | it('should ask user to mention a repository', (done) => { 14 | behaviors.getResponse('user', botNick, 'fto').then(response => { 15 | expect(response).toBe(emptyResponse); 16 | done(); 17 | }); 18 | }); 19 | 20 | it('should get existing repository', (done) => { 21 | behaviors.getResponse('user', botNick, 'fto existing').then(response => { 22 | expect(response).toBe(existingResponse); 23 | done(); 24 | }); 25 | }); 26 | 27 | it('should get nonexisting repository', (done) => { 28 | behaviors.getResponse('user', botNick, 'fto nonexisting').then(response => { 29 | expect(response).toBe(nonexistingReponse); 30 | done(); 31 | }); 32 | }); 33 | 34 | it('should get different combinations of repositories', (done) => { 35 | behaviors.getResponse('user', botNick, 'fto nonexisting existing nonexisting').then(response => { 36 | expect(response).toBe(`${nonexistingReponse}\n\n${existingResponse}\n\n${nonexistingReponse}`); 37 | done(); 38 | }); 39 | 40 | behaviors.getResponse('user', botNick, 'fto existing nonexisting existing').then(response => { 41 | expect(response).toBe(`${existingResponse}\n\n${nonexistingReponse}\n\n${existingResponse}`); 42 | done(); 43 | }); 44 | }); 45 | 46 | it('should throw an error if something else went wrong', (done) => { 47 | // This promise is expected to be rejected 48 | behaviors.getResponse('user', botNick, 'fto out-of-this-world').catch(() => { 49 | // Pass the test if the promise was rejected successfully 50 | done(); 51 | }); 52 | }); 53 | }); 54 | -------------------------------------------------------------------------------- /src/bot.js: -------------------------------------------------------------------------------- 1 | const fs = require('fs'); 2 | const Github = require('github'); 3 | 4 | const Behaviors = require('./behaviors'); 5 | const SimpleMessageBehavior = require('./models/simple-message-behavior'); 6 | 7 | const state = { 8 | github: new Github(), 9 | responseTime: 10 * 60 * 1000, 10 | offsetTime: 1000 11 | }; 12 | 13 | const path = require('path'); 14 | // Read file synchronously because we'd need this object in later steps anyway. 15 | const configFile = path.join(__dirname, '../', 'config.json'); 16 | const config = JSON.parse(fs.readFileSync(configFile, 'utf8')); 17 | 18 | let client; 19 | 20 | if (process.env.TEST) { 21 | const CliClient = require('./interfaces/cli'); 22 | client = new CliClient(config.name); 23 | console.log('Bot is running in testing mode.'); 24 | console.log(`[${process.env.USER} => ${config.name}]`); 25 | } else { 26 | const IrcClient = require('./interfaces/irc'); 27 | client = new IrcClient(config.server, config.name, config.channels); 28 | if (config.nickpass !== undefined) { 29 | client.client.addListener('registered', function() { 30 | client.client.say('nickserv', 'identify ' + config.nickpass); 31 | console.log('logging in with ' + config.name); 32 | }); 33 | } 34 | } 35 | 36 | // const greetBehavior = require('./behaviors/greet'); 37 | const voiceBehavior = require('./behaviors/voice')(client); 38 | const helpBehavior = require('./behaviors/help').helpBehavior; 39 | const ftoBehavior = require('./behaviors/fto')(state); 40 | const heatBehavior = require('./behaviors/heat'); 41 | const unresponsiveBehavior = require('./behaviors/unresponsive')(state); 42 | const versionBehavior = require('./behaviors/version'); 43 | const quietBehavior = require('./behaviors/quiet')(client); 44 | const approveBehavior = require('./behaviors/approve')(client); 45 | 46 | const joinBehaviors = [ 47 | // greetBehavior, // using welcome message for now 48 | voiceBehavior, 49 | quietBehavior 50 | ]; 51 | 52 | const messageBehaviors = [ 53 | new SimpleMessageBehavior('links', 'Ask a question: https://publiclab.org/questions\nFile an issue: https://github.com/publiclab/plots2/issues/new\nFind a new issue to work on: https://code.publiclab.org'), 54 | helpBehavior, 55 | ftoBehavior, 56 | heatBehavior, 57 | unresponsiveBehavior, 58 | versionBehavior, 59 | approveBehavior 60 | ]; 61 | 62 | const behaviors = new Behaviors(config.name, client, joinBehaviors, messageBehaviors); 63 | behaviors.bootstrap(); 64 | 65 | // Express server for `show` and `tell` actions 66 | 67 | const express = require('express'); 68 | const app = express(); 69 | 70 | app.get('/', (req, res) => { 71 | switch (req.query.action) { 72 | case 'tell': 73 | config.channels.forEach(channel => { 74 | client.sendMessage( 75 | channel, 76 | `${require('os').userInfo().username} tells: ${req.query.message}` 77 | ); 78 | }); 79 | res.sendStatus(200); 80 | break; 81 | default: 82 | res.sendStatus(400); 83 | break; 84 | } 85 | }); 86 | 87 | app.listen(4000, 'localhost', () => { 88 | console.log('Plotsbot is listening on port 4000!'); 89 | }); 90 | -------------------------------------------------------------------------------- /src/behaviors/index.js: -------------------------------------------------------------------------------- 1 | const utils = require('../utils'); 2 | 3 | function parseMessage (message) { 4 | return message.split(/[\s,.;:!?]/g).filter(String); 5 | } 6 | 7 | function messageResponse(frm, botNick, parsed, keywordBehaviors, fallbackBehaviors) { 8 | return Promise.resolve().then(() => { 9 | // This function takes the parsed version of the message and the array of 10 | // behaviors with `trigger` equal to "message" (i.e. the behaviors supposed to 11 | // be triggered on message), executes the action of a behavior if it was 12 | // mentioned by `keyword` and returns the result 13 | 14 | // This snippet looks if the parsed message contains the keyword of any of the 15 | // behavior inside the keywordBehaviors array 16 | const behavior = keywordBehaviors.find(behavior => 17 | utils.contains(parsed, behavior.keyword) 18 | ); 19 | 20 | // If there was a match, remove the behavior's keyword from the parsed message 21 | // call the behavior's action with the remaining message and the bot's nick 22 | // otherwise, it calls all fallback behaviors and channels their output instead 23 | if (behavior) { 24 | utils.remove(parsed, behavior.keyword); 25 | return behavior.action(botNick, frm, parsed); 26 | } else { 27 | return fallbackResponse(botNick, frm, parsed, fallbackBehaviors); 28 | } 29 | }); 30 | } 31 | 32 | function fallbackResponse(frm, botNick, parsed, fallbackBehaviors) { 33 | return Promise.all(fallbackBehaviors.map(behavior => behavior.action(botNick, frm, parsed))) 34 | .then(outputs => outputs.join('\n')); 35 | } 36 | 37 | class Behaviors { 38 | constructor(botNick, client, joinBehaviors, messageBehaviors) { 39 | this.botNick = botNick; 40 | this.client = client; 41 | this.joinBehaviors = joinBehaviors; 42 | 43 | // These are the message behaviors that have a certain keyword trigger 44 | this.keywordMessageBehaviors = []; 45 | // These are message behaviors that do not have a definite trigger keyword, 46 | // they are triggered whenever no certain keyword is mentioned 47 | this.fallbackMessageBehaviors = []; 48 | messageBehaviors.forEach((behavior) => { 49 | // If `behavior.keyword` is not a false-y value (`undefined` in our case) 50 | if (behavior.keyword) { 51 | this.keywordMessageBehaviors.push(behavior); 52 | } else { 53 | this.fallbackMessageBehaviors.push(behavior); 54 | } 55 | }); 56 | } 57 | 58 | addJoinHandler() { 59 | this.client.addJoinHandler((channel, username) => { 60 | this.joinBehaviors.forEach(behavior => { 61 | this.client.sendMessage(channel, behavior.action(this.botNick, username, channel)); 62 | }); 63 | }); 64 | } 65 | 66 | addMessageHandler() { 67 | this.client.addMessageHandler((frm, to, message) => { 68 | this.getResponse(frm, to, message).then((response) => { 69 | if(response) { 70 | if(to === this.botNick) { 71 | // Message was received in a DM 72 | this.client.sendMessage(frm, response); 73 | } else { 74 | // Message was received in a normal channel 75 | this.client.sendMessage(to, response); 76 | } 77 | } 78 | }).catch((err) => { 79 | console.error(err); 80 | }); 81 | }); 82 | } 83 | 84 | getResponse(frm, to, message) { 85 | return Promise.resolve().then(() => { 86 | let parsed = parseMessage(message); 87 | if(to === this.botNick) { 88 | // If the message was sent directly to the bot (eg: in a DM) 89 | return messageResponse(frm, this.botNick, parsed, this.keywordMessageBehaviors, this.fallbackMessageBehaviors); 90 | } else if (utils.contains(parsed, this.botNick)) { 91 | // If bot was mentioned 92 | utils.remove(parsed, this.botNick); 93 | return messageResponse(frm, this.botNick, parsed, this.keywordMessageBehaviors, this.fallbackMessageBehaviors); 94 | } else if (utils.contains(parsed, '@' + this.botNick)) { 95 | // If bot was mentioned, Gitter style 96 | utils.remove(parsed, '@' + this.botNick); 97 | return messageResponse(frm, this.botNick, parsed, this.keywordMessageBehaviors, this.fallbackMessageBehaviors); 98 | } else { 99 | return fallbackResponse(frm, this.botNick, parsed, this.fallbackMessageBehaviors); 100 | } 101 | }); 102 | } 103 | 104 | bootstrap() { 105 | this.addJoinHandler(); 106 | this.addMessageHandler(); 107 | } 108 | } 109 | 110 | module.exports = Behaviors; 111 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # plotsbot 2 | [![Build Status](https://travis-ci.org/publiclab/plotsbot.svg?branch=master)](https://travis-ci.org/publiclab/plotsbot) 3 | [![Coverage Status](https://coveralls.io/repos/github/publiclab/plotsbot/badge.svg?branch=master)](https://coveralls.io/github/publiclab/plotsbot?branch=master) 4 | [![license](https://img.shields.io/badge/license-GPL%20v3-blue.svg)](http://www.gnu.org/licenses/gpl-3.0) 5 | [![Code Climate](https://img.shields.io/codeclimate/github/kabisaict/flow.svg)](https://codeclimate.com/github/publiclab/plotsbot) 6 | [![PRs Welcome](https://img.shields.io/badge/PRs-welcome-brightgreen.svg)](http://makeapullrequest.com/) 7 | [![dependencies Status](https://david-dm.org/publiclab/plotsbot/status.svg)](https://david-dm.org/publiclab/plotsbot) 8 | [![devDependencies Status](https://david-dm.org/publiclab/plotsbot/dev-status.svg)](https://david-dm.org/publiclab/plotsbot?type=dev) 9 | [![GitHub tag](https://img.shields.io/github/tag/publiclab/plotsbot.svg)](https://github.com/publiclab/plotsbot) 10 | 11 | A bot for Public Lab 12 | 13 | plotsbot is an integrated system for bots across various interfaces, such as in an IRC chatroom, in GitHub issues, or on PublicLab.org. The bot consists of a set of behaviors, like "Greet" or "Help" (see below) which can work on one or more interface. 14 | 15 | **Where can I test it out?** 16 | Currently, the bot lives in `#publiclab-testing` on OFTC or on [`#publiclab-testing` on Matrix](https://riot.im/app/#/room/#publiclab-testing:matrix.org). 17 | 18 | ## Interfaces 19 | 20 | The various interfaces of plotsbot allow it to interact with various resources online and locally. As of now, plotsbot interacts with one resource at a time, but in the future multiple interfaces can be supported simultaneously. 21 | 22 | There are two types of interfaces: 23 | 1. Private Interfaces where one to one conversations take place between the user and plotsbot. Each message sent by the user is meant for plotsbot and vice versa and should be interpreted as such. 24 | 2. Public Interfaces where many to one conversation takes place between a number of users and plotsbot. Each message sent by a user might or might not be meant for a specific other user (or plotsbot), and thus each message meant for plotsbot should consider its name explicitly. 25 | 26 | ### IRC 27 | 28 | This interface allows plotsbot to interact with users on IRC. In production, plotsbot connects to #publiclab channel on the OFTC IRC network. For testing purposes, technically the bot can be made to connect to any possible channel but #publiclab-testing on OFTC is dedicated towards the purpose of testing the bot. 29 | 30 | IRC classifies as both a public and a private interface as the general IRC channel acts as a public interface to the bot while a user can DM the bot which would act as a private interface to the bot. 31 | 32 | This is the default interface for plotsbot. 33 | 34 | ### CLI 35 | 36 | This interface allows you to experiment on the bot locally and interact with it on the command line interface instead of an actual IRC channel. Think of this interface as a sandbox to test features out on your local machine. 37 | 38 | CLI is a private interface. You do not need to mention the bot in each message you send because it is implied that any message you send is meant for the bot. 39 | 40 | This interface can be used instead of the default interface by setting the environment variable `TEST` to `true`. 41 | 42 | #### Example: 43 | 44 | ``` 45 | ➜ plotsbot git:(master) TEST=true npm start 46 | Bot is running in testing mode. 47 | [ryzokuken => plotsbot-ryzokuken] 48 | help 49 | [plotsbot-ryzokuken => ryzokuken] 50 | # chatbot 51 | `plotsbot-ryzokuken help [...]`: Prints out this descriptive help message for each mentioned module. If no modules are specified, print the help message for ALL modules.`chatbot` is not the name of a valid module. Try looking up the `chatbot` module instead. 52 | ``` 53 | 54 | ## Behavior Model 55 | 56 | 1. `trigger: String` => The event on which the behavior is supposed to be triggered. Currently, two events are supported - the `join` event which is triggered whenever a new user joins a particular channel, and the `message` event whenever a particular user sends a message on a channel. 57 | 2. `action: Function` => This is the action of the behavior which is called by the bot at the appropriate moment. The bot provides the function with different arguments depending on the corresponding behavior's `trigger` value. For behaviors with `trigger` equal to `join`, the bot passes three arguments to the action function upon trigger. These are: 58 | 59 | 1. `channel: String` => This is the name of the channel on which the user joined. 60 | 2. `username: String` => This is the username of the new user. 61 | 3. `botNick: String` => This is the username of the bot. 62 | 63 | On the other hand, for behaviors with `trigger` equal to `message`, the bot passes two arguments to the action function. These are: 64 | 65 | 1. `botNick: String` => This is the username of the bot. 66 | 2. `options: Array` => This is an array containing additional options provided by the user. 67 | 68 | This function may return a result string which will be sent back to the user in a message, or a promise that will eventually yield such a string. 69 | 70 | 3. `keyword: String` **(Only required for message triggered behaviors)** => This is the keyword that must be present in the message in order for the bot to call the behavior's action function. 71 | 72 | ## Behaviors 73 | 74 | Behaviors are clearly defined tasks performed by the bot. A behavior may use any third-party functions to perform this action, but it needs to expose a few mandatory fields that are used by the chatbot to trigger the behavior at the appropriate time. 75 | 76 | A behavior may export an object of type `Behavior` or a factory function that returns such an object. These factory functions come into play when you want a shared state between multiple behaviors. For example: If you have multiple behaviors that make use of a database, there is no need to get a database connection individually for each such behavior. 77 | 78 | ### Greet 79 | `trigger` **join** 80 | 81 | The bot greets users when they join the channel. 82 | 83 | ### Help 84 | `trigger` **message** 85 | `keyword` **help** 86 | 87 | Prints out the help messages of the modules whose names have been specified. If no modules were mentioned, all modules are explained. 88 | 89 | ### First Timers Only 90 | `trigger` **message** 91 | `keyword` **fto** 92 | 93 | Prints out all the issues in the specified publiclab repositories labelled 'first-timers-only'. If no repositories are mentioned, the user is asked to do so. 94 | 95 | ## Submitting Behaviors 96 | 97 | If you want to submit your own behavior, your pull request needs to be self-contained. That is, it requires the following essential components: 98 | 99 | 1. The core behavior object file inside the `src/behaviors` directory. 100 | 2. A unit test for the behavior inside the `spec` directory named `-spec.js`. 101 | 3. Import, configure and bootstrap the behavior appropriately inside the `src/bot.js` file. 102 | 4. Add the appropriate help inside the help behavior and information inside the documentation. 103 | 104 | A (nearly) canonical example for such a pull request is [#67](https://github.com/publiclab/plotsbot/pull/67). 105 | 106 | ## Dependencies 107 | 108 | ### 1. NVM 109 | You do not need NVM in order to install Node JS, but if you're running Linux, chances are that the version of Node JS available in the repositories is too old to be usable. Therefore, we suggest you to use NVM in order to make the most out of the newest versions of Node JS. 110 | 111 | Go to https://github.com/creationix/nvm#install-script to obtain the NVM installation script. 112 | 113 | ### 2. Node JS and npm 114 | In order to install the latest version of Node JS and npm, run `nvm install node` 115 | 116 | ### 3. Yarn (Optional) 117 | We suggest you to use yarn to install and maintain npm packages, as it is faster and more efficient than vanilla npm. In order to install yarn, run `npm install -g yarn` 118 | 119 | ### 4. Node Modules 120 | In order to install all node modules the package depends on, just run `yarn` or `npm install` (in case you chose not install yarn) 121 | 122 | ## Setup 123 | 124 | 1. Copy the sample configuration at `config.json.sample` by running `cp config.json.sample config.json` 125 | 1. Let the channel and server remain to be `#publiclab-testing` and OFTC respectively. This is the ideal channel you would like to test your changes on. I repeat, **DO NOT** change the channel and server unless you know exactly what you're doing and without the consent of the owner of the respective channel. 126 | 2. Change the name attribute to something unique. `plotsbot-${your-username-here}` sounds very indicative and would help you differentiate your local instance from other instances of the bot. 127 | 128 | ## Run 129 | 130 | Now that you're ready, run the bot by running the command, `npm start`. 131 | 132 | In development, running the bot using nodemon is recommended. Install nodemon by running `npm install -g nodemon` or `yarn global add nodemon` and then execute the bot using `nodemon bot.js`. Nodemon will listen for changes to the files and rerun the bot automatically whenever you make a change. 133 | 134 | ## Experimentation 135 | 136 | In order to experiment locally on the bot, you need to set the `TEST` environment variable to be true. Running the bot using `TEST=true npm start` will work. 137 | 138 | ## Contributing 139 | 140 | ### Code of Conduct 141 | 142 | Please read and abide by our [Code of Conduct](https://github.com/publiclab/plotsbot/blob/master/CODE_OF_CONDUCT.md); our community aspires to be a respectful place both during online and in-person interactions. 143 | 144 | ### Versioning 145 | 146 | We use Semantic Versioning for maintaining versions for the git tag and npm package version. Please adhere to it strictly and visit their website for more information: http://semver.org/ 147 | 148 | * In order to increment MAJOR version, use `npm version major` 149 | * In order to increment MINOR version, use `npm version minor` 150 | * In order to increment PATCH version, use `npm version patch` 151 | 152 | In order to help you decide which version to bump to, issues will be labelled appropriately as far as possible. 153 | 154 | You need to bump the version only for the source files pertaining to the project and not for documentation and other configuration files. As a rule of thumb, bump the version if your commit involves making changes to a file with the `.js` extension. 155 | 156 | ### Code styling 157 | We use [ESLint](http://eslint.org) for linting our codebase. Run `yarn lint` or `npm run-script lint` for checking lint errors. Most common errors can be fixed by running `yarn lint-fix` or `npm run-script lint-fix`. Code styling is an important part of writing good code to the make the code more readable and meaningful. We follow the latest ES6 standards for our codebase. Make sure you run the lint checks before submitting a PR so that there are no CI build failures. 158 | 159 | ### Testing 160 | 161 | We use [Jasmine](https://jasmine.github.io/) for testing our code. Run `yarn test` or `npm test` to run tests locally before committing your changes. 162 | -------------------------------------------------------------------------------- /CODE_OF_CONDUCT.md: -------------------------------------------------------------------------------- 1 | This document was copied from its home at https://publiclab.org/conduct on October 1, 2018. See that page if you would like to submit your concerns in a safe, completely anonymous way, and to learn more about this document. 2 | 3 | **** 4 | 5 | # Public Lab Code of Conduct 6 | 7 | _Public Lab, PO Box 426113, Cambridge, MA 02142_ 8 | 9 | We are coming together with an intent to care for ourselves and one another. We want to nurture a compassionate democratic culture where responsibility is shared. We -- visitors, community members, community moderators, staff, organizers, sponsors, and all others -- hold ourselves accountable to the same values regardless of position or experience. For this to work for everybody, individual decisions will not be allowed to run counter to the welfare of other people. This community aspires to be a respectful place both during online and in-person interactions so that all people are able to fully participate with their dignity intact. This document is a piece of the culture we're creating. 10 | 11 | 12 | This code of conduct applies to all spaces managed by the Public Lab community and non-profit, both online and in person. It was written by the Conduct Committee (formed in 2015 during Public Lab’s annual conference “The Barnraising”) and facilitated by staff to provide a clear set of practical guidelines for multi-day events such as Barnraisings, events led by organizers and community members, and online venues such as the website, comment threads on software platforms, chatrooms, our mailing lists, the issue tracker, and any other forums created by Public Lab which the community uses for communication. 13 | 14 | 15 | ## We come from all kinds of backgrounds 16 | 17 | Our community is best when we fully invite and include participants from a wide range of backgrounds. We specifically design spaces to be welcoming and accessible to newcomers and folks from underrepresented groups. Public Lab is dedicated to providing a harassment-free, safe, and inclusive experience for everyone, regardless of personal and professional background, gender, gender identity and expression, style of clothing, sexual orientation, dis-/ability, physical appearance, body size, race, class, age, or religion. Public Lab resists and rejects: racism, sexism, ableism, ageism, homophobia, transphobia, body shaming, religion shaming, “geekier-than-thou” shaming, education bias, the shaming of people nursing children, and the dismissal or bullying of children or adults. 18 | 19 | ## We do not tolerate harassment or shaming 20 | 21 | While we operate under the assumption that all people involved with Public Lab subscribe to the basic understanding laid out above, we take these issues very seriously and think they should, in general, be taken seriously. Therefore, individuals who violate this Code both in and outside of Public Lab spaces may affect their ability to participate in Public Lab ranging from temporarily being placed into online moderation to, as a last resort, expulsion from the community. If you have any questions about our commitment to this framework and/or if you are unsure about aspects of it, email conduct@publiclab.org and we will do our best to provide clarification. 22 | 23 | ## How It Works 24 | 25 | Sometimes things go wrong. When a situation is uncomfortable, hurtful, exclusionary, or upsetting, there is a problem that should be addressed. This code of conduct is an effort to maintain a safe space for everyone, and to talk about what might happen if that space is compromised. Please see additional guidelines below for community behavior on how we expect people to interact with one another. 26 | 27 | ### Two helpful groups 28 | 29 | __Conduct Committee (ConductCom)__: If at any time you experience something that you are not comfortable with, you may contact the Conduct Committee. 30 | 31 | For Barnraising and Crisis Convening July 2018, in person Conduct Committee members are: 32 | * Jeff Warren 33 | * Rev James Caldwell 34 | * Melanie Pang 35 | * Shannon Dosemagen, the executive director of the Public Lab nonprofit. 36 | 37 | 38 | If you would like to have a confidential conversation, connect with ConductCom in person or email via [conduct@publiclab.org](mailto:conduct@publiclab.org), they will be checking emails before, during and after Barnraising and Crisis Convening July 2018. A minimum of two committee members will confer and respond as swiftly as possible. If you would prefer to speak privately with a representative of the nonprofit, please contact the executive director directly either in person or by email: [shannon@publiclab.org.](mailto:conduct@publiclab.org) 39 | 40 | 41 | To submit a report anonymously for review by ConductCom, go to the online posting of this policy at [publiclab.org/conduct](https://publiclab.org/conduct) and click the button at the top of the page to view the reporting form. The form will be monitored daily at 8am CST during in-person events like Barnraisings and weekly at all other times. During multi-day in-person events hosted by the Public Lab non-profit, there will also be a physical suggestion box available. This box will be monitored throughout the event and can also be used to let us know if you need us to check on an anonymous online submission sooner. 42 | 43 | 44 | __Moderators Group:__ The moderators group is responsible for addressing immediate moderation issues that arise during online violations of the code over email lists and Public Lab community websites, as well as approving first-time posts and generally handling spam. Instructions on how to become a moderator, and, if you’ve been placed in moderation how to begin the process of getting out of moderation can be found at: [publiclab.org/wiki/moderation](https://publiclab.org/wiki/moderation). 45 | 46 | **** 47 | 48 | ## A Culture of Empathy 49 | 50 | We begin interactions by acknowledging that we are part of a community with complementary goals. Different views are allowed to respectfully coexist in the same space. When something's happened and someone is uncomfortable, our first choice is to work through it. Endeavor to listen and appropriately adjust your behavior if someone approaches you privately with a request that you apologize or publicly requests that you stop an ongoing presentation. If someone questions your words, actions or motives, or "calls you out", hear their feedback and respond respectfully. It’s okay to not understand why something is hurtful or causes discomfort, as long as you approach it respectfully, with empathy. Repeating hurtful behavior after it has been addressed is disrespectful and is not allowed. Doing so will result in removal and subsequent banning from in-person events and being placed into moderation in online spaces. 51 | 52 | ###The first rule of engaging with others is consent 53 | During in-person gatherings, consent is important to highlight because the negotiation of consent can be subtle, and it’s easy to miss each other’s non-verbal cues, resulting in miscommunication and/or offense. During online interactions, consent can be even harder to distinguish. 54 | 55 | We make guesses or assessments of consent (willingness, welcome, invitation) all the time. Then we stay open to signs that the consent isn't there. Handshakes are a clear example of consent: someone offers a hand, and you take it if you want to shake it. A friendly smile might indicate consent to start a conversation. It might not. We learn that in the interaction. Sometimes we ask directly. We are open to making mistakes, and learning from them. The more we learn to be empathetic and see other people, the more we're able to talk about consent. 56 | 57 | Before you engage with someone on any level, be sure you have their consent. If your indications aren't being heard, you can also ask for help from other folks, especially Conduct Committee members and staff of the non-profit: "They aren't taking the hint. Will you help?" Turning a blind eye to hurtful interactions can be as bad for our community as the exchange itself. If you witness something, it's your responsibility to say something. This is how we keep each other accountable, encourage empathy, and keep our community safe. 58 | 59 | ## Guidelines for in-person community behavior 60 | 61 | 62 | Do | Don’t 63 | ----------- | ----------- 64 | Respectfully share what method works best for you, while giving others space to think differently and contribute other ideas | Disparage entire groups/sets of people for their beliefs or methods 65 | Ask permission to take pictures of and post about others on social media (see Media Consent, above)| Upload photos, tag or mention others online without their consent 66 | Speak your own narrative, from your own unique culture | Caricature the cultural expressions of groups you are not a member of 67 | Model inclusionary expertise - if others in the group appear to be “lost”, slow down; stop and ask for input | Present information in a way / at a level that no one else in the room can understand, with no attempt to include others in the discussion 68 | Create events that are all-ages appropriate | Use language that excludes youth and their experiences as vital contributors 69 | Give everyone a chance to talk, only interrupting if absolutely necessary - for example, Code of Conduct violations | Repeatedly disrupt a discussion 70 | Stop, listen and ask for clarification if someone perceives your behavior or presentation as violating the Code of Conduct | Ignore others’ request to stop potentially harmful behavior, even if it was an accident 71 | Cultivate a sense of humor based on other subjects, such as word play (especially puns!) | Joke using words related to actual or insulting descriptions of people 72 | Use words that accurately describe the situation - For example, “The wind was ridiculously strong!” instead of “The wind was crazy!” | Use disability and mental/emotional health terminology to describe a situation metaphorically, especially if the phrasing is meant as an insult 73 | Only discuss someone else’s lifestyle practices if they invite you to a conversation on the topic | Make unwelcomed comments regarding a person’s lifestyle practices, including those related to food, health, parenting, relationships, and employment 74 | Ask someone before you hug them; keep your hands/body to yourself, even when joking, unless the other person has given verbal consent | Initiate physical contact or simulate physical contact without consent 75 | Disengage and find another activity if someone did not invite you and is not engaging with you | Violate personal space by continuing your physical presence into private spaces without consent 76 | Exercise the right to talk about your own identity if you want to, or not if you don’t want to | Deliberately “out” any aspect of a person’s identity without their consent 77 | Use the pronouns people have specified for themselves | Purposely misgender someone (ie, refusing to use their correct gender pronouns) after they have told you their correct pronouns 78 | 79 | 80 | ## Additional guidelines for online community behavior 81 | 82 | 83 | Online modes of interaction involve large numbers of people without the helpful presence of gestural, expression, and tonal cues regarding consent. Because of this, respectful and self-aware online conduct is both especially important and difficult. Our community has evolved specific guidelines for online interactions. 84 | 85 | _If someone violates these guidelines, someone from the Moderators group will place them into moderation by changing that person’s posting permission on the relevant list, on the website, or both._ 86 | 87 | Our triple notification standard for moderation means a point person from the Moderators group will: 88 | 89 | 1. e-mail the person directly with a brief explanation of what was violated, 90 | 2. send a summary email to the rest of the moderators group, 91 | 3. if it happened on a public list (vs a website), notify the list that one of our members has been placed into moderation with a brief explanation of what is not tolerated. 92 | 93 | 94 | If you wish to begin the process of getting out of moderation, respond to the email sent to you from [moderators@publiclab.org](mailto:moderators@publiclab.org). The Moderators group has the option to involve ConductCom. 95 | 96 | 97 | Do | Don’t 98 | -------|-------- 99 | Stay on topic to make long threads easier to follow |Send spurious one-line responses that effectively "spam" hundreds of people and lower the overall content quality of a conversation. (Exception: expressions of appreciation and encouragement!) 100 | Start a new thread to help others follow along. Important if your response starts to significantly diverge from the original topic | Respond with off-topic information making it hard for the large group of readers to follow along 101 | Write short and literal subject lines to help the readers of the list manage the volume of communication | Humor and euphemisms in subject lines are easily misunderstood, although enthusiasm is welcome! 102 | Mind your tone. We are not having this conversation in person, so it is all the more important to maintain a tone of respect | Write in aggressive tone, disrespectful tone, mocking tone, off-color tone. Note: writing in all caps is regarded as shouting 103 | 104 | ## Media Consent 105 | 106 | * ALWAYS check with parents about posting anything with minors. 107 | * Never post the names of minors in conjunction with their photo. 108 | * During multi-day events like Barnraisings most people will have signed media releases. Those who haven’t will be responsible for placing stickers on their nametags, and/or raising their hands in the moment to alert photographers to move them out of frame. 109 | * For events where people have not signed blanket media release forms, the photographer is responsible for letting the room know that you are taking photos that will be posted online. Pay special attention to the presence of minors and their parent's wishes. 110 | 111 | 112 | ## Addendum for all staff 113 | 114 | Staff are bound by their Employment Handbook, you must reference it. Additionally: 115 | 116 | * Direct problems that come up among community members to the Conduct Committee. 117 | * When organizing events, circulate access information regarding wheelchair-accessible ADA bathrooms, non-gendered bathrooms, the presence of stairs or curb ramps in the parking lot, et cetera. 118 | * During events that you are attending in person, solve accessibility issues by making sure attendees know where bathrooms are located and can access them by wheelchair without being obstructed by things like chairs, kites, contraptions, or cords. 119 | * Watch for people feeling left out and include them. -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | GNU GENERAL PUBLIC LICENSE 2 | Version 3, 29 June 2007 3 | 4 | Copyright (C) 2007 Free Software Foundation, Inc. 5 | Everyone is permitted to copy and distribute verbatim copies 6 | of this license document, but changing it is not allowed. 7 | 8 | Preamble 9 | 10 | The GNU General Public License is a free, copyleft license for 11 | software and other kinds of works. 12 | 13 | The licenses for most software and other practical works are designed 14 | to take away your freedom to share and change the works. By contrast, 15 | the GNU General Public License is intended to guarantee your freedom to 16 | share and change all versions of a program--to make sure it remains free 17 | software for all its users. We, the Free Software Foundation, use the 18 | GNU General Public License for most of our software; it applies also to 19 | any other work released this way by its authors. You can apply it to 20 | your programs, too. 21 | 22 | When we speak of free software, we are referring to freedom, not 23 | price. Our General Public Licenses are designed to make sure that you 24 | have the freedom to distribute copies of free software (and charge for 25 | them if you wish), that you receive source code or can get it if you 26 | want it, that you can change the software or use pieces of it in new 27 | free programs, and that you know you can do these things. 28 | 29 | To protect your rights, we need to prevent others from denying you 30 | these rights or asking you to surrender the rights. Therefore, you have 31 | certain responsibilities if you distribute copies of the software, or if 32 | you modify it: responsibilities to respect the freedom of others. 33 | 34 | For example, if you distribute copies of such a program, whether 35 | gratis or for a fee, you must pass on to the recipients the same 36 | freedoms that you received. You must make sure that they, too, receive 37 | or can get the source code. And you must show them these terms so they 38 | know their rights. 39 | 40 | Developers that use the GNU GPL protect your rights with two steps: 41 | (1) assert copyright on the software, and (2) offer you this License 42 | giving you legal permission to copy, distribute and/or modify it. 43 | 44 | For the developers' and authors' protection, the GPL clearly explains 45 | that there is no warranty for this free software. For both users' and 46 | authors' sake, the GPL requires that modified versions be marked as 47 | changed, so that their problems will not be attributed erroneously to 48 | authors of previous versions. 49 | 50 | Some devices are designed to deny users access to install or run 51 | modified versions of the software inside them, although the manufacturer 52 | can do so. This is fundamentally incompatible with the aim of 53 | protecting users' freedom to change the software. The systematic 54 | pattern of such abuse occurs in the area of products for individuals to 55 | use, which is precisely where it is most unacceptable. Therefore, we 56 | have designed this version of the GPL to prohibit the practice for those 57 | products. If such problems arise substantially in other domains, we 58 | stand ready to extend this provision to those domains in future versions 59 | of the GPL, as needed to protect the freedom of users. 60 | 61 | Finally, every program is threatened constantly by software patents. 62 | States should not allow patents to restrict development and use of 63 | software on general-purpose computers, but in those that do, we wish to 64 | avoid the special danger that patents applied to a free program could 65 | make it effectively proprietary. To prevent this, the GPL assures that 66 | patents cannot be used to render the program non-free. 67 | 68 | The precise terms and conditions for copying, distribution and 69 | modification follow. 70 | 71 | TERMS AND CONDITIONS 72 | 73 | 0. Definitions. 74 | 75 | "This License" refers to version 3 of the GNU General Public License. 76 | 77 | "Copyright" also means copyright-like laws that apply to other kinds of 78 | works, such as semiconductor masks. 79 | 80 | "The Program" refers to any copyrightable work licensed under this 81 | License. Each licensee is addressed as "you". "Licensees" and 82 | "recipients" may be individuals or organizations. 83 | 84 | To "modify" a work means to copy from or adapt all or part of the work 85 | in a fashion requiring copyright permission, other than the making of an 86 | exact copy. The resulting work is called a "modified version" of the 87 | earlier work or a work "based on" the earlier work. 88 | 89 | A "covered work" means either the unmodified Program or a work based 90 | on the Program. 91 | 92 | To "propagate" a work means to do anything with it that, without 93 | permission, would make you directly or secondarily liable for 94 | infringement under applicable copyright law, except executing it on a 95 | computer or modifying a private copy. Propagation includes copying, 96 | distribution (with or without modification), making available to the 97 | public, and in some countries other activities as well. 98 | 99 | To "convey" a work means any kind of propagation that enables other 100 | parties to make or receive copies. Mere interaction with a user through 101 | a computer network, with no transfer of a copy, is not conveying. 102 | 103 | An interactive user interface displays "Appropriate Legal Notices" 104 | to the extent that it includes a convenient and prominently visible 105 | feature that (1) displays an appropriate copyright notice, and (2) 106 | tells the user that there is no warranty for the work (except to the 107 | extent that warranties are provided), that licensees may convey the 108 | work under this License, and how to view a copy of this License. If 109 | the interface presents a list of user commands or options, such as a 110 | menu, a prominent item in the list meets this criterion. 111 | 112 | 1. Source Code. 113 | 114 | The "source code" for a work means the preferred form of the work 115 | for making modifications to it. "Object code" means any non-source 116 | form of a work. 117 | 118 | A "Standard Interface" means an interface that either is an official 119 | standard defined by a recognized standards body, or, in the case of 120 | interfaces specified for a particular programming language, one that 121 | is widely used among developers working in that language. 122 | 123 | The "System Libraries" of an executable work include anything, other 124 | than the work as a whole, that (a) is included in the normal form of 125 | packaging a Major Component, but which is not part of that Major 126 | Component, and (b) serves only to enable use of the work with that 127 | Major Component, or to implement a Standard Interface for which an 128 | implementation is available to the public in source code form. A 129 | "Major Component", in this context, means a major essential component 130 | (kernel, window system, and so on) of the specific operating system 131 | (if any) on which the executable work runs, or a compiler used to 132 | produce the work, or an object code interpreter used to run it. 133 | 134 | The "Corresponding Source" for a work in object code form means all 135 | the source code needed to generate, install, and (for an executable 136 | work) run the object code and to modify the work, including scripts to 137 | control those activities. However, it does not include the work's 138 | System Libraries, or general-purpose tools or generally available free 139 | programs which are used unmodified in performing those activities but 140 | which are not part of the work. For example, Corresponding Source 141 | includes interface definition files associated with source files for 142 | the work, and the source code for shared libraries and dynamically 143 | linked subprograms that the work is specifically designed to require, 144 | such as by intimate data communication or control flow between those 145 | subprograms and other parts of the work. 146 | 147 | The Corresponding Source need not include anything that users 148 | can regenerate automatically from other parts of the Corresponding 149 | Source. 150 | 151 | The Corresponding Source for a work in source code form is that 152 | same work. 153 | 154 | 2. Basic Permissions. 155 | 156 | All rights granted under this License are granted for the term of 157 | copyright on the Program, and are irrevocable provided the stated 158 | conditions are met. This License explicitly affirms your unlimited 159 | permission to run the unmodified Program. The output from running a 160 | covered work is covered by this License only if the output, given its 161 | content, constitutes a covered work. This License acknowledges your 162 | rights of fair use or other equivalent, as provided by copyright law. 163 | 164 | You may make, run and propagate covered works that you do not 165 | convey, without conditions so long as your license otherwise remains 166 | in force. You may convey covered works to others for the sole purpose 167 | of having them make modifications exclusively for you, or provide you 168 | with facilities for running those works, provided that you comply with 169 | the terms of this License in conveying all material for which you do 170 | not control copyright. Those thus making or running the covered works 171 | for you must do so exclusively on your behalf, under your direction 172 | and control, on terms that prohibit them from making any copies of 173 | your copyrighted material outside their relationship with you. 174 | 175 | Conveying under any other circumstances is permitted solely under 176 | the conditions stated below. Sublicensing is not allowed; section 10 177 | makes it unnecessary. 178 | 179 | 3. Protecting Users' Legal Rights From Anti-Circumvention Law. 180 | 181 | No covered work shall be deemed part of an effective technological 182 | measure under any applicable law fulfilling obligations under article 183 | 11 of the WIPO copyright treaty adopted on 20 December 1996, or 184 | similar laws prohibiting or restricting circumvention of such 185 | measures. 186 | 187 | When you convey a covered work, you waive any legal power to forbid 188 | circumvention of technological measures to the extent such circumvention 189 | is effected by exercising rights under this License with respect to 190 | the covered work, and you disclaim any intention to limit operation or 191 | modification of the work as a means of enforcing, against the work's 192 | users, your or third parties' legal rights to forbid circumvention of 193 | technological measures. 194 | 195 | 4. Conveying Verbatim Copies. 196 | 197 | You may convey verbatim copies of the Program's source code as you 198 | receive it, in any medium, provided that you conspicuously and 199 | appropriately publish on each copy an appropriate copyright notice; 200 | keep intact all notices stating that this License and any 201 | non-permissive terms added in accord with section 7 apply to the code; 202 | keep intact all notices of the absence of any warranty; and give all 203 | recipients a copy of this License along with the Program. 204 | 205 | You may charge any price or no price for each copy that you convey, 206 | and you may offer support or warranty protection for a fee. 207 | 208 | 5. Conveying Modified Source Versions. 209 | 210 | You may convey a work based on the Program, or the modifications to 211 | produce it from the Program, in the form of source code under the 212 | terms of section 4, provided that you also meet all of these conditions: 213 | 214 | a) The work must carry prominent notices stating that you modified 215 | it, and giving a relevant date. 216 | 217 | b) The work must carry prominent notices stating that it is 218 | released under this License and any conditions added under section 219 | 7. This requirement modifies the requirement in section 4 to 220 | "keep intact all notices". 221 | 222 | c) You must license the entire work, as a whole, under this 223 | License to anyone who comes into possession of a copy. This 224 | License will therefore apply, along with any applicable section 7 225 | additional terms, to the whole of the work, and all its parts, 226 | regardless of how they are packaged. This License gives no 227 | permission to license the work in any other way, but it does not 228 | invalidate such permission if you have separately received it. 229 | 230 | d) If the work has interactive user interfaces, each must display 231 | Appropriate Legal Notices; however, if the Program has interactive 232 | interfaces that do not display Appropriate Legal Notices, your 233 | work need not make them do so. 234 | 235 | A compilation of a covered work with other separate and independent 236 | works, which are not by their nature extensions of the covered work, 237 | and which are not combined with it such as to form a larger program, 238 | in or on a volume of a storage or distribution medium, is called an 239 | "aggregate" if the compilation and its resulting copyright are not 240 | used to limit the access or legal rights of the compilation's users 241 | beyond what the individual works permit. Inclusion of a covered work 242 | in an aggregate does not cause this License to apply to the other 243 | parts of the aggregate. 244 | 245 | 6. Conveying Non-Source Forms. 246 | 247 | You may convey a covered work in object code form under the terms 248 | of sections 4 and 5, provided that you also convey the 249 | machine-readable Corresponding Source under the terms of this License, 250 | in one of these ways: 251 | 252 | a) Convey the object code in, or embodied in, a physical product 253 | (including a physical distribution medium), accompanied by the 254 | Corresponding Source fixed on a durable physical medium 255 | customarily used for software interchange. 256 | 257 | b) Convey the object code in, or embodied in, a physical product 258 | (including a physical distribution medium), accompanied by a 259 | written offer, valid for at least three years and valid for as 260 | long as you offer spare parts or customer support for that product 261 | model, to give anyone who possesses the object code either (1) a 262 | copy of the Corresponding Source for all the software in the 263 | product that is covered by this License, on a durable physical 264 | medium customarily used for software interchange, for a price no 265 | more than your reasonable cost of physically performing this 266 | conveying of source, or (2) access to copy the 267 | Corresponding Source from a network server at no charge. 268 | 269 | c) Convey individual copies of the object code with a copy of the 270 | written offer to provide the Corresponding Source. This 271 | alternative is allowed only occasionally and noncommercially, and 272 | only if you received the object code with such an offer, in accord 273 | with subsection 6b. 274 | 275 | d) Convey the object code by offering access from a designated 276 | place (gratis or for a charge), and offer equivalent access to the 277 | Corresponding Source in the same way through the same place at no 278 | further charge. You need not require recipients to copy the 279 | Corresponding Source along with the object code. If the place to 280 | copy the object code is a network server, the Corresponding Source 281 | may be on a different server (operated by you or a third party) 282 | that supports equivalent copying facilities, provided you maintain 283 | clear directions next to the object code saying where to find the 284 | Corresponding Source. Regardless of what server hosts the 285 | Corresponding Source, you remain obligated to ensure that it is 286 | available for as long as needed to satisfy these requirements. 287 | 288 | e) Convey the object code using peer-to-peer transmission, provided 289 | you inform other peers where the object code and Corresponding 290 | Source of the work are being offered to the general public at no 291 | charge under subsection 6d. 292 | 293 | A separable portion of the object code, whose source code is excluded 294 | from the Corresponding Source as a System Library, need not be 295 | included in conveying the object code work. 296 | 297 | A "User Product" is either (1) a "consumer product", which means any 298 | tangible personal property which is normally used for personal, family, 299 | or household purposes, or (2) anything designed or sold for incorporation 300 | into a dwelling. In determining whether a product is a consumer product, 301 | doubtful cases shall be resolved in favor of coverage. For a particular 302 | product received by a particular user, "normally used" refers to a 303 | typical or common use of that class of product, regardless of the status 304 | of the particular user or of the way in which the particular user 305 | actually uses, or expects or is expected to use, the product. A product 306 | is a consumer product regardless of whether the product has substantial 307 | commercial, industrial or non-consumer uses, unless such uses represent 308 | the only significant mode of use of the product. 309 | 310 | "Installation Information" for a User Product means any methods, 311 | procedures, authorization keys, or other information required to install 312 | and execute modified versions of a covered work in that User Product from 313 | a modified version of its Corresponding Source. The information must 314 | suffice to ensure that the continued functioning of the modified object 315 | code is in no case prevented or interfered with solely because 316 | modification has been made. 317 | 318 | If you convey an object code work under this section in, or with, or 319 | specifically for use in, a User Product, and the conveying occurs as 320 | part of a transaction in which the right of possession and use of the 321 | User Product is transferred to the recipient in perpetuity or for a 322 | fixed term (regardless of how the transaction is characterized), the 323 | Corresponding Source conveyed under this section must be accompanied 324 | by the Installation Information. But this requirement does not apply 325 | if neither you nor any third party retains the ability to install 326 | modified object code on the User Product (for example, the work has 327 | been installed in ROM). 328 | 329 | The requirement to provide Installation Information does not include a 330 | requirement to continue to provide support service, warranty, or updates 331 | for a work that has been modified or installed by the recipient, or for 332 | the User Product in which it has been modified or installed. Access to a 333 | network may be denied when the modification itself materially and 334 | adversely affects the operation of the network or violates the rules and 335 | protocols for communication across the network. 336 | 337 | Corresponding Source conveyed, and Installation Information provided, 338 | in accord with this section must be in a format that is publicly 339 | documented (and with an implementation available to the public in 340 | source code form), and must require no special password or key for 341 | unpacking, reading or copying. 342 | 343 | 7. Additional Terms. 344 | 345 | "Additional permissions" are terms that supplement the terms of this 346 | License by making exceptions from one or more of its conditions. 347 | Additional permissions that are applicable to the entire Program shall 348 | be treated as though they were included in this License, to the extent 349 | that they are valid under applicable law. If additional permissions 350 | apply only to part of the Program, that part may be used separately 351 | under those permissions, but the entire Program remains governed by 352 | this License without regard to the additional permissions. 353 | 354 | When you convey a copy of a covered work, you may at your option 355 | remove any additional permissions from that copy, or from any part of 356 | it. (Additional permissions may be written to require their own 357 | removal in certain cases when you modify the work.) You may place 358 | additional permissions on material, added by you to a covered work, 359 | for which you have or can give appropriate copyright permission. 360 | 361 | Notwithstanding any other provision of this License, for material you 362 | add to a covered work, you may (if authorized by the copyright holders of 363 | that material) supplement the terms of this License with terms: 364 | 365 | a) Disclaiming warranty or limiting liability differently from the 366 | terms of sections 15 and 16 of this License; or 367 | 368 | b) Requiring preservation of specified reasonable legal notices or 369 | author attributions in that material or in the Appropriate Legal 370 | Notices displayed by works containing it; or 371 | 372 | c) Prohibiting misrepresentation of the origin of that material, or 373 | requiring that modified versions of such material be marked in 374 | reasonable ways as different from the original version; or 375 | 376 | d) Limiting the use for publicity purposes of names of licensors or 377 | authors of the material; or 378 | 379 | e) Declining to grant rights under trademark law for use of some 380 | trade names, trademarks, or service marks; or 381 | 382 | f) Requiring indemnification of licensors and authors of that 383 | material by anyone who conveys the material (or modified versions of 384 | it) with contractual assumptions of liability to the recipient, for 385 | any liability that these contractual assumptions directly impose on 386 | those licensors and authors. 387 | 388 | All other non-permissive additional terms are considered "further 389 | restrictions" within the meaning of section 10. If the Program as you 390 | received it, or any part of it, contains a notice stating that it is 391 | governed by this License along with a term that is a further 392 | restriction, you may remove that term. If a license document contains 393 | a further restriction but permits relicensing or conveying under this 394 | License, you may add to a covered work material governed by the terms 395 | of that license document, provided that the further restriction does 396 | not survive such relicensing or conveying. 397 | 398 | If you add terms to a covered work in accord with this section, you 399 | must place, in the relevant source files, a statement of the 400 | additional terms that apply to those files, or a notice indicating 401 | where to find the applicable terms. 402 | 403 | Additional terms, permissive or non-permissive, may be stated in the 404 | form of a separately written license, or stated as exceptions; 405 | the above requirements apply either way. 406 | 407 | 8. Termination. 408 | 409 | You may not propagate or modify a covered work except as expressly 410 | provided under this License. Any attempt otherwise to propagate or 411 | modify it is void, and will automatically terminate your rights under 412 | this License (including any patent licenses granted under the third 413 | paragraph of section 11). 414 | 415 | However, if you cease all violation of this License, then your 416 | license from a particular copyright holder is reinstated (a) 417 | provisionally, unless and until the copyright holder explicitly and 418 | finally terminates your license, and (b) permanently, if the copyright 419 | holder fails to notify you of the violation by some reasonable means 420 | prior to 60 days after the cessation. 421 | 422 | Moreover, your license from a particular copyright holder is 423 | reinstated permanently if the copyright holder notifies you of the 424 | violation by some reasonable means, this is the first time you have 425 | received notice of violation of this License (for any work) from that 426 | copyright holder, and you cure the violation prior to 30 days after 427 | your receipt of the notice. 428 | 429 | Termination of your rights under this section does not terminate the 430 | licenses of parties who have received copies or rights from you under 431 | this License. If your rights have been terminated and not permanently 432 | reinstated, you do not qualify to receive new licenses for the same 433 | material under section 10. 434 | 435 | 9. Acceptance Not Required for Having Copies. 436 | 437 | You are not required to accept this License in order to receive or 438 | run a copy of the Program. Ancillary propagation of a covered work 439 | occurring solely as a consequence of using peer-to-peer transmission 440 | to receive a copy likewise does not require acceptance. However, 441 | nothing other than this License grants you permission to propagate or 442 | modify any covered work. These actions infringe copyright if you do 443 | not accept this License. Therefore, by modifying or propagating a 444 | covered work, you indicate your acceptance of this License to do so. 445 | 446 | 10. Automatic Licensing of Downstream Recipients. 447 | 448 | Each time you convey a covered work, the recipient automatically 449 | receives a license from the original licensors, to run, modify and 450 | propagate that work, subject to this License. You are not responsible 451 | for enforcing compliance by third parties with this License. 452 | 453 | An "entity transaction" is a transaction transferring control of an 454 | organization, or substantially all assets of one, or subdividing an 455 | organization, or merging organizations. If propagation of a covered 456 | work results from an entity transaction, each party to that 457 | transaction who receives a copy of the work also receives whatever 458 | licenses to the work the party's predecessor in interest had or could 459 | give under the previous paragraph, plus a right to possession of the 460 | Corresponding Source of the work from the predecessor in interest, if 461 | the predecessor has it or can get it with reasonable efforts. 462 | 463 | You may not impose any further restrictions on the exercise of the 464 | rights granted or affirmed under this License. For example, you may 465 | not impose a license fee, royalty, or other charge for exercise of 466 | rights granted under this License, and you may not initiate litigation 467 | (including a cross-claim or counterclaim in a lawsuit) alleging that 468 | any patent claim is infringed by making, using, selling, offering for 469 | sale, or importing the Program or any portion of it. 470 | 471 | 11. Patents. 472 | 473 | A "contributor" is a copyright holder who authorizes use under this 474 | License of the Program or a work on which the Program is based. The 475 | work thus licensed is called the contributor's "contributor version". 476 | 477 | A contributor's "essential patent claims" are all patent claims 478 | owned or controlled by the contributor, whether already acquired or 479 | hereafter acquired, that would be infringed by some manner, permitted 480 | by this License, of making, using, or selling its contributor version, 481 | but do not include claims that would be infringed only as a 482 | consequence of further modification of the contributor version. For 483 | purposes of this definition, "control" includes the right to grant 484 | patent sublicenses in a manner consistent with the requirements of 485 | this License. 486 | 487 | Each contributor grants you a non-exclusive, worldwide, royalty-free 488 | patent license under the contributor's essential patent claims, to 489 | make, use, sell, offer for sale, import and otherwise run, modify and 490 | propagate the contents of its contributor version. 491 | 492 | In the following three paragraphs, a "patent license" is any express 493 | agreement or commitment, however denominated, not to enforce a patent 494 | (such as an express permission to practice a patent or covenant not to 495 | sue for patent infringement). To "grant" such a patent license to a 496 | party means to make such an agreement or commitment not to enforce a 497 | patent against the party. 498 | 499 | If you convey a covered work, knowingly relying on a patent license, 500 | and the Corresponding Source of the work is not available for anyone 501 | to copy, free of charge and under the terms of this License, through a 502 | publicly available network server or other readily accessible means, 503 | then you must either (1) cause the Corresponding Source to be so 504 | available, or (2) arrange to deprive yourself of the benefit of the 505 | patent license for this particular work, or (3) arrange, in a manner 506 | consistent with the requirements of this License, to extend the patent 507 | license to downstream recipients. "Knowingly relying" means you have 508 | actual knowledge that, but for the patent license, your conveying the 509 | covered work in a country, or your recipient's use of the covered work 510 | in a country, would infringe one or more identifiable patents in that 511 | country that you have reason to believe are valid. 512 | 513 | If, pursuant to or in connection with a single transaction or 514 | arrangement, you convey, or propagate by procuring conveyance of, a 515 | covered work, and grant a patent license to some of the parties 516 | receiving the covered work authorizing them to use, propagate, modify 517 | or convey a specific copy of the covered work, then the patent license 518 | you grant is automatically extended to all recipients of the covered 519 | work and works based on it. 520 | 521 | A patent license is "discriminatory" if it does not include within 522 | the scope of its coverage, prohibits the exercise of, or is 523 | conditioned on the non-exercise of one or more of the rights that are 524 | specifically granted under this License. You may not convey a covered 525 | work if you are a party to an arrangement with a third party that is 526 | in the business of distributing software, under which you make payment 527 | to the third party based on the extent of your activity of conveying 528 | the work, and under which the third party grants, to any of the 529 | parties who would receive the covered work from you, a discriminatory 530 | patent license (a) in connection with copies of the covered work 531 | conveyed by you (or copies made from those copies), or (b) primarily 532 | for and in connection with specific products or compilations that 533 | contain the covered work, unless you entered into that arrangement, 534 | or that patent license was granted, prior to 28 March 2007. 535 | 536 | Nothing in this License shall be construed as excluding or limiting 537 | any implied license or other defenses to infringement that may 538 | otherwise be available to you under applicable patent law. 539 | 540 | 12. No Surrender of Others' Freedom. 541 | 542 | If conditions are imposed on you (whether by court order, agreement or 543 | otherwise) that contradict the conditions of this License, they do not 544 | excuse you from the conditions of this License. If you cannot convey a 545 | covered work so as to satisfy simultaneously your obligations under this 546 | License and any other pertinent obligations, then as a consequence you may 547 | not convey it at all. For example, if you agree to terms that obligate you 548 | to collect a royalty for further conveying from those to whom you convey 549 | the Program, the only way you could satisfy both those terms and this 550 | License would be to refrain entirely from conveying the Program. 551 | 552 | 13. Use with the GNU Affero General Public License. 553 | 554 | Notwithstanding any other provision of this License, you have 555 | permission to link or combine any covered work with a work licensed 556 | under version 3 of the GNU Affero General Public License into a single 557 | combined work, and to convey the resulting work. The terms of this 558 | License will continue to apply to the part which is the covered work, 559 | but the special requirements of the GNU Affero General Public License, 560 | section 13, concerning interaction through a network will apply to the 561 | combination as such. 562 | 563 | 14. Revised Versions of this License. 564 | 565 | The Free Software Foundation may publish revised and/or new versions of 566 | the GNU General Public License from time to time. Such new versions will 567 | be similar in spirit to the present version, but may differ in detail to 568 | address new problems or concerns. 569 | 570 | Each version is given a distinguishing version number. If the 571 | Program specifies that a certain numbered version of the GNU General 572 | Public License "or any later version" applies to it, you have the 573 | option of following the terms and conditions either of that numbered 574 | version or of any later version published by the Free Software 575 | Foundation. If the Program does not specify a version number of the 576 | GNU General Public License, you may choose any version ever published 577 | by the Free Software Foundation. 578 | 579 | If the Program specifies that a proxy can decide which future 580 | versions of the GNU General Public License can be used, that proxy's 581 | public statement of acceptance of a version permanently authorizes you 582 | to choose that version for the Program. 583 | 584 | Later license versions may give you additional or different 585 | permissions. However, no additional obligations are imposed on any 586 | author or copyright holder as a result of your choosing to follow a 587 | later version. 588 | 589 | 15. Disclaimer of Warranty. 590 | 591 | THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY 592 | APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT 593 | HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY 594 | OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, 595 | THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR 596 | PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM 597 | IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF 598 | ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 599 | 600 | 16. Limitation of Liability. 601 | 602 | IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING 603 | WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS 604 | THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY 605 | GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE 606 | USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF 607 | DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD 608 | PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), 609 | EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF 610 | SUCH DAMAGES. 611 | 612 | 17. Interpretation of Sections 15 and 16. 613 | 614 | If the disclaimer of warranty and limitation of liability provided 615 | above cannot be given local legal effect according to their terms, 616 | reviewing courts shall apply local law that most closely approximates 617 | an absolute waiver of all civil liability in connection with the 618 | Program, unless a warranty or assumption of liability accompanies a 619 | copy of the Program in return for a fee. 620 | 621 | END OF TERMS AND CONDITIONS 622 | 623 | How to Apply These Terms to Your New Programs 624 | 625 | If you develop a new program, and you want it to be of the greatest 626 | possible use to the public, the best way to achieve this is to make it 627 | free software which everyone can redistribute and change under these terms. 628 | 629 | To do so, attach the following notices to the program. It is safest 630 | to attach them to the start of each source file to most effectively 631 | state the exclusion of warranty; and each file should have at least 632 | the "copyright" line and a pointer to where the full notice is found. 633 | 634 | {one line to give the program's name and a brief idea of what it does.} 635 | Copyright (C) {year} {name of author} 636 | 637 | This program is free software: you can redistribute it and/or modify 638 | it under the terms of the GNU General Public License as published by 639 | the Free Software Foundation, either version 3 of the License, or 640 | (at your option) any later version. 641 | 642 | This program is distributed in the hope that it will be useful, 643 | but WITHOUT ANY WARRANTY; without even the implied warranty of 644 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 645 | GNU General Public License for more details. 646 | 647 | You should have received a copy of the GNU General Public License 648 | along with this program. If not, see . 649 | 650 | Also add information on how to contact you by electronic and paper mail. 651 | 652 | If the program does terminal interaction, make it output a short 653 | notice like this when it starts in an interactive mode: 654 | 655 | {project} Copyright (C) {year} {fullname} 656 | This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. 657 | This is free software, and you are welcome to redistribute it 658 | under certain conditions; type `show c' for details. 659 | 660 | The hypothetical commands `show w' and `show c' should show the appropriate 661 | parts of the General Public License. Of course, your program's commands 662 | might be different; for a GUI interface, you would use an "about box". 663 | 664 | You should also get your employer (if you work as a programmer) or school, 665 | if any, to sign a "copyright disclaimer" for the program, if necessary. 666 | For more information on this, and how to apply and follow the GNU GPL, see 667 | . 668 | 669 | The GNU General Public License does not permit incorporating your program 670 | into proprietary programs. If your program is a subroutine library, you 671 | may consider it more useful to permit linking proprietary applications with 672 | the library. If this is what you want to do, use the GNU Lesser General 673 | Public License instead of this License. But first, please read 674 | . 675 | -------------------------------------------------------------------------------- /yarn.lock: -------------------------------------------------------------------------------- 1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY. 2 | # yarn lockfile v1 3 | 4 | 5 | abbrev@1: 6 | version "1.1.0" 7 | resolved "https://registry.yarnpkg.com/abbrev/-/abbrev-1.1.0.tgz#d0554c2256636e2f56e7c2e5ad183f859428d81f" 8 | 9 | abbrev@1.0.x: 10 | version "1.0.9" 11 | resolved "https://registry.yarnpkg.com/abbrev/-/abbrev-1.0.9.tgz#91b4792588a7738c25f35dd6f63752a2f8776135" 12 | 13 | accepts@~1.3.7: 14 | version "1.3.7" 15 | resolved "https://registry.yarnpkg.com/accepts/-/accepts-1.3.7.tgz#531bc726517a3b2b41f850021c6cc15eaab507cd" 16 | dependencies: 17 | mime-types "~2.1.24" 18 | negotiator "0.6.2" 19 | 20 | acorn-jsx@^3.0.0: 21 | version "3.0.1" 22 | resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-3.0.1.tgz#afdf9488fb1ecefc8348f6fb22f464e32a58b36b" 23 | dependencies: 24 | acorn "^3.0.4" 25 | 26 | acorn@^3.0.4: 27 | version "3.3.0" 28 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-3.3.0.tgz#45e37fb39e8da3f25baee3ff5369e2bb5f22017a" 29 | 30 | acorn@^5.1.1: 31 | version "5.1.2" 32 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-5.1.2.tgz#911cb53e036807cf0fa778dc5d370fbd864246d7" 33 | 34 | agent-base@2: 35 | version "2.1.1" 36 | resolved "https://registry.yarnpkg.com/agent-base/-/agent-base-2.1.1.tgz#d6de10d5af6132d5bd692427d46fc538539094c7" 37 | dependencies: 38 | extend "~3.0.0" 39 | semver "~5.0.1" 40 | 41 | ajv-keywords@^2.1.0: 42 | version "2.1.0" 43 | resolved "https://registry.yarnpkg.com/ajv-keywords/-/ajv-keywords-2.1.0.tgz#a296e17f7bfae7c1ce4f7e0de53d29cb32162df0" 44 | 45 | ajv@^5.2.0, ajv@^5.2.3: 46 | version "5.2.3" 47 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-5.2.3.tgz#c06f598778c44c6b161abafe3466b81ad1814ed2" 48 | dependencies: 49 | co "^4.6.0" 50 | fast-deep-equal "^1.0.0" 51 | json-schema-traverse "^0.3.0" 52 | json-stable-stringify "^1.0.1" 53 | 54 | ajv@^6.5.5: 55 | version "6.6.1" 56 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.6.1.tgz#6360f5ed0d80f232cc2b294c362d5dc2e538dd61" 57 | dependencies: 58 | fast-deep-equal "^2.0.1" 59 | fast-json-stable-stringify "^2.0.0" 60 | json-schema-traverse "^0.4.1" 61 | uri-js "^4.2.2" 62 | 63 | amdefine@>=0.0.4: 64 | version "1.0.1" 65 | resolved "https://registry.yarnpkg.com/amdefine/-/amdefine-1.0.1.tgz#4a5282ac164729e93619bcfd3ad151f817ce91f5" 66 | 67 | ansi-escapes@^3.0.0: 68 | version "3.0.0" 69 | resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-3.0.0.tgz#ec3e8b4e9f8064fc02c3ac9b65f1c275bda8ef92" 70 | 71 | ansi-regex@^2.0.0: 72 | version "2.1.1" 73 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.1.1.tgz#c3b33ab5ee360d86e0e628f0468ae7ef27d654df" 74 | 75 | ansi-regex@^3.0.0: 76 | version "3.0.0" 77 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-3.0.0.tgz#ed0317c322064f79466c02966bddb605ab37d998" 78 | 79 | ansi-styles@^2.2.1: 80 | version "2.2.1" 81 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-2.2.1.tgz#b432dd3358b634cf75e1e4664368240533c1ddbe" 82 | 83 | ansi-styles@^3.1.0: 84 | version "3.2.0" 85 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-3.2.0.tgz#c159b8d5be0f9e5a6f346dab94f16ce022161b88" 86 | dependencies: 87 | color-convert "^1.9.0" 88 | 89 | argparse@^1.0.7: 90 | version "1.0.9" 91 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-1.0.9.tgz#73d83bc263f86e97f8cc4f6bae1b0e90a7d22c86" 92 | dependencies: 93 | sprintf-js "~1.0.2" 94 | 95 | array-flatten@1.1.1: 96 | version "1.1.1" 97 | resolved "https://registry.yarnpkg.com/array-flatten/-/array-flatten-1.1.1.tgz#9a5f699051b1e7073328f2a008968b64ea2955d2" 98 | 99 | array-union@^1.0.1: 100 | version "1.0.2" 101 | resolved "https://registry.yarnpkg.com/array-union/-/array-union-1.0.2.tgz#9a34410e4f4e3da23dea375be5be70f24778ec39" 102 | dependencies: 103 | array-uniq "^1.0.1" 104 | 105 | array-uniq@^1.0.1: 106 | version "1.0.3" 107 | resolved "https://registry.yarnpkg.com/array-uniq/-/array-uniq-1.0.3.tgz#af6ac877a25cc7f74e058894753858dfdb24fdb6" 108 | 109 | arrify@^1.0.0: 110 | version "1.0.1" 111 | resolved "https://registry.yarnpkg.com/arrify/-/arrify-1.0.1.tgz#898508da2226f380df904728456849c1501a4b0d" 112 | 113 | asn1@~0.2.3: 114 | version "0.2.3" 115 | resolved "https://registry.yarnpkg.com/asn1/-/asn1-0.2.3.tgz#dac8787713c9966849fc8180777ebe9c1ddf3b86" 116 | 117 | assert-plus@1.0.0, assert-plus@^1.0.0: 118 | version "1.0.0" 119 | resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-1.0.0.tgz#f12e0f3c5d77b0b1cdd9146942e4e96c1e4dd525" 120 | 121 | async@1.x: 122 | version "1.5.2" 123 | resolved "https://registry.yarnpkg.com/async/-/async-1.5.2.tgz#ec6a61ae56480c0c3cb241c95618e20892f9672a" 124 | 125 | asynckit@^0.4.0: 126 | version "0.4.0" 127 | resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79" 128 | 129 | aws-sign2@~0.7.0: 130 | version "0.7.0" 131 | resolved "https://registry.yarnpkg.com/aws-sign2/-/aws-sign2-0.7.0.tgz#b46e890934a9591f2d2f6f86d7e6a9f1b3fe76a8" 132 | 133 | aws4@^1.8.0: 134 | version "1.8.0" 135 | resolved "https://registry.yarnpkg.com/aws4/-/aws4-1.8.0.tgz#f0e003d9ca9e7f59c7a508945d7b2ef9a04a542f" 136 | 137 | babel-code-frame@^6.22.0: 138 | version "6.26.0" 139 | resolved "https://registry.yarnpkg.com/babel-code-frame/-/babel-code-frame-6.26.0.tgz#63fd43f7dc1e3bb7ce35947db8fe369a3f58c74b" 140 | dependencies: 141 | chalk "^1.1.3" 142 | esutils "^2.0.2" 143 | js-tokens "^3.0.2" 144 | 145 | balanced-match@^0.4.1: 146 | version "0.4.2" 147 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-0.4.2.tgz#cb3f3e3c732dc0f01ee70b403f302e61d7709838" 148 | 149 | bcrypt-pbkdf@^1.0.0: 150 | version "1.0.1" 151 | resolved "https://registry.yarnpkg.com/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.1.tgz#63bc5dcb61331b92bc05fd528953c33462a06f8d" 152 | dependencies: 153 | tweetnacl "^0.14.3" 154 | 155 | body-parser@1.19.0: 156 | version "1.19.0" 157 | resolved "https://registry.yarnpkg.com/body-parser/-/body-parser-1.19.0.tgz#96b2709e57c9c4e09a6fd66a8fd979844f69f08a" 158 | dependencies: 159 | bytes "3.1.0" 160 | content-type "~1.0.4" 161 | debug "2.6.9" 162 | depd "~1.1.2" 163 | http-errors "1.7.2" 164 | iconv-lite "0.4.24" 165 | on-finished "~2.3.0" 166 | qs "6.7.0" 167 | raw-body "2.4.0" 168 | type-is "~1.6.17" 169 | 170 | brace-expansion@^1.1.7: 171 | version "1.1.7" 172 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.7.tgz#3effc3c50e000531fb720eaff80f0ae8ef23cf59" 173 | dependencies: 174 | balanced-match "^0.4.1" 175 | concat-map "0.0.1" 176 | 177 | bytes@3.1.0: 178 | version "3.1.0" 179 | resolved "https://registry.yarnpkg.com/bytes/-/bytes-3.1.0.tgz#f6cf7933a360e0588fa9fde85651cdc7f805d1f6" 180 | 181 | caller-path@^0.1.0: 182 | version "0.1.0" 183 | resolved "https://registry.yarnpkg.com/caller-path/-/caller-path-0.1.0.tgz#94085ef63581ecd3daa92444a8fe94e82577751f" 184 | dependencies: 185 | callsites "^0.2.0" 186 | 187 | callsites@^0.2.0: 188 | version "0.2.0" 189 | resolved "https://registry.yarnpkg.com/callsites/-/callsites-0.2.0.tgz#afab96262910a7f33c19a5775825c69f34e350ca" 190 | 191 | caseless@~0.12.0: 192 | version "0.12.0" 193 | resolved "https://registry.yarnpkg.com/caseless/-/caseless-0.12.0.tgz#1b681c21ff84033c826543090689420d187151dc" 194 | 195 | chalk@^1.1.3: 196 | version "1.1.3" 197 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-1.1.3.tgz#a8115c55e4a702fe4d150abd3872822a7e09fc98" 198 | dependencies: 199 | ansi-styles "^2.2.1" 200 | escape-string-regexp "^1.0.2" 201 | has-ansi "^2.0.0" 202 | strip-ansi "^3.0.0" 203 | supports-color "^2.0.0" 204 | 205 | chalk@^2.0.0, chalk@^2.1.0: 206 | version "2.2.0" 207 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.2.0.tgz#477b3bf2f9b8fd5ca9e429747e37f724ee7af240" 208 | dependencies: 209 | ansi-styles "^3.1.0" 210 | escape-string-regexp "^1.0.5" 211 | supports-color "^4.0.0" 212 | 213 | ci-info@^1.0.0: 214 | version "1.1.1" 215 | resolved "https://registry.yarnpkg.com/ci-info/-/ci-info-1.1.1.tgz#47b44df118c48d2597b56d342e7e25791060171a" 216 | 217 | circular-json@^0.3.1: 218 | version "0.3.1" 219 | resolved "https://registry.yarnpkg.com/circular-json/-/circular-json-0.3.1.tgz#be8b36aefccde8b3ca7aa2d6afc07a37242c0d2d" 220 | 221 | cli-cursor@^2.1.0: 222 | version "2.1.0" 223 | resolved "https://registry.yarnpkg.com/cli-cursor/-/cli-cursor-2.1.0.tgz#b35dac376479facc3e94747d41d0d0f5238ffcb5" 224 | dependencies: 225 | restore-cursor "^2.0.0" 226 | 227 | cli-width@^2.0.0: 228 | version "2.1.0" 229 | resolved "https://registry.yarnpkg.com/cli-width/-/cli-width-2.1.0.tgz#b234ca209b29ef66fc518d9b98d5847b00edf00a" 230 | 231 | co@^4.6.0: 232 | version "4.6.0" 233 | resolved "https://registry.yarnpkg.com/co/-/co-4.6.0.tgz#6ea6bdf3d853ae54ccb8e47bfa0bf3f9031fb184" 234 | 235 | color-convert@^1.9.0: 236 | version "1.9.0" 237 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-1.9.0.tgz#1accf97dd739b983bf994d56fec8f95853641b7a" 238 | dependencies: 239 | color-name "^1.1.1" 240 | 241 | color-name@^1.1.1: 242 | version "1.1.3" 243 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25" 244 | 245 | combined-stream@^1.0.6, combined-stream@~1.0.6: 246 | version "1.0.7" 247 | resolved "https://registry.yarnpkg.com/combined-stream/-/combined-stream-1.0.7.tgz#2d1d24317afb8abe95d6d2c0b07b57813539d828" 248 | dependencies: 249 | delayed-stream "~1.0.0" 250 | 251 | commander@~2.20.3: 252 | version "2.20.3" 253 | resolved "https://registry.yarnpkg.com/commander/-/commander-2.20.3.tgz#fd485e84c03eb4881c20722ba48035e8531aeb33" 254 | 255 | concat-map@0.0.1: 256 | version "0.0.1" 257 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" 258 | 259 | concat-stream@^1.6.0: 260 | version "1.6.0" 261 | resolved "https://registry.yarnpkg.com/concat-stream/-/concat-stream-1.6.0.tgz#0aac662fd52be78964d5532f694784e70110acf7" 262 | dependencies: 263 | inherits "^2.0.3" 264 | readable-stream "^2.2.2" 265 | typedarray "^0.0.6" 266 | 267 | content-disposition@0.5.3: 268 | version "0.5.3" 269 | resolved "https://registry.yarnpkg.com/content-disposition/-/content-disposition-0.5.3.tgz#e130caf7e7279087c5616c2007d0485698984fbd" 270 | dependencies: 271 | safe-buffer "5.1.2" 272 | 273 | content-type@~1.0.4: 274 | version "1.0.4" 275 | resolved "https://registry.yarnpkg.com/content-type/-/content-type-1.0.4.tgz#e138cc75e040c727b1966fe5e5f8c9aee256fe3b" 276 | 277 | cookie-signature@1.0.6: 278 | version "1.0.6" 279 | resolved "https://registry.yarnpkg.com/cookie-signature/-/cookie-signature-1.0.6.tgz#e303a882b342cc3ee8ca513a79999734dab3ae2c" 280 | 281 | cookie@0.4.0: 282 | version "0.4.0" 283 | resolved "https://registry.yarnpkg.com/cookie/-/cookie-0.4.0.tgz#beb437e7022b3b6d49019d088665303ebe9c14ba" 284 | 285 | core-util-is@~1.0.0: 286 | version "1.0.2" 287 | resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7" 288 | 289 | coveralls@^3.1.0: 290 | version "3.1.0" 291 | resolved "https://registry.yarnpkg.com/coveralls/-/coveralls-3.1.0.tgz#13c754d5e7a2dd8b44fe5269e21ca394fb4d615b" 292 | dependencies: 293 | js-yaml "^3.13.1" 294 | lcov-parse "^1.0.0" 295 | log-driver "^1.2.7" 296 | minimist "^1.2.5" 297 | request "^2.88.2" 298 | 299 | cross-spawn@^5.1.0: 300 | version "5.1.0" 301 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-5.1.0.tgz#e8bd0efee58fcff6f8f94510a0a554bbfa235449" 302 | dependencies: 303 | lru-cache "^4.0.1" 304 | shebang-command "^1.2.0" 305 | which "^1.2.9" 306 | 307 | dashdash@^1.12.0: 308 | version "1.14.1" 309 | resolved "https://registry.yarnpkg.com/dashdash/-/dashdash-1.14.1.tgz#853cfa0f7cbe2fed5de20326b8dd581035f6e2f0" 310 | dependencies: 311 | assert-plus "^1.0.0" 312 | 313 | debug@2, debug@2.6.9, debug@^2.2.0: 314 | version "2.6.9" 315 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f" 316 | dependencies: 317 | ms "2.0.0" 318 | 319 | debug@^3.0.1: 320 | version "3.2.6" 321 | resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.6.tgz#e83d17de16d8a7efb7717edbe5fb10135eee629b" 322 | dependencies: 323 | ms "^2.1.1" 324 | 325 | deep-is@~0.1.3: 326 | version "0.1.3" 327 | resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.3.tgz#b369d6fb5dbc13eecf524f91b070feedc357cf34" 328 | 329 | del@^2.0.2: 330 | version "2.2.2" 331 | resolved "https://registry.yarnpkg.com/del/-/del-2.2.2.tgz#c12c981d067846c84bcaf862cff930d907ffd1a8" 332 | dependencies: 333 | globby "^5.0.0" 334 | is-path-cwd "^1.0.0" 335 | is-path-in-cwd "^1.0.0" 336 | object-assign "^4.0.1" 337 | pify "^2.0.0" 338 | pinkie-promise "^2.0.0" 339 | rimraf "^2.2.8" 340 | 341 | delayed-stream@~1.0.0: 342 | version "1.0.0" 343 | resolved "https://registry.yarnpkg.com/delayed-stream/-/delayed-stream-1.0.0.tgz#df3ae199acadfb7d440aaae0b29e2272b24ec619" 344 | 345 | depd@~1.1.2: 346 | version "1.1.2" 347 | resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.2.tgz#9bcd52e14c097763e749b274c4346ed2e560b5a9" 348 | 349 | destroy@~1.0.4: 350 | version "1.0.4" 351 | resolved "https://registry.yarnpkg.com/destroy/-/destroy-1.0.4.tgz#978857442c44749e4206613e37946205826abd80" 352 | 353 | doctrine@^2.0.0: 354 | version "2.0.0" 355 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-2.0.0.tgz#c73d8d2909d22291e1a007a395804da8b665fe63" 356 | dependencies: 357 | esutils "^2.0.2" 358 | isarray "^1.0.0" 359 | 360 | ecc-jsbn@~0.1.1: 361 | version "0.1.1" 362 | resolved "https://registry.yarnpkg.com/ecc-jsbn/-/ecc-jsbn-0.1.1.tgz#0fc73a9ed5f0d53c38193398523ef7e543777505" 363 | dependencies: 364 | jsbn "~0.1.0" 365 | 366 | ee-first@1.1.1: 367 | version "1.1.1" 368 | resolved "https://registry.yarnpkg.com/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d" 369 | 370 | encodeurl@~1.0.2: 371 | version "1.0.2" 372 | resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.2.tgz#ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59" 373 | 374 | escape-html@~1.0.3: 375 | version "1.0.3" 376 | resolved "https://registry.yarnpkg.com/escape-html/-/escape-html-1.0.3.tgz#0258eae4d3d0c0974de1c169188ef0051d1d1988" 377 | 378 | escape-string-regexp@^1.0.2, escape-string-regexp@^1.0.5: 379 | version "1.0.5" 380 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4" 381 | 382 | escodegen@1.8.x: 383 | version "1.8.1" 384 | resolved "https://registry.yarnpkg.com/escodegen/-/escodegen-1.8.1.tgz#5a5b53af4693110bebb0867aa3430dd3b70a1018" 385 | dependencies: 386 | esprima "^2.7.1" 387 | estraverse "^1.9.1" 388 | esutils "^2.0.2" 389 | optionator "^0.8.1" 390 | optionalDependencies: 391 | source-map "~0.2.0" 392 | 393 | eslint-scope@^3.7.1: 394 | version "3.7.1" 395 | resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-3.7.1.tgz#3d63c3edfda02e06e01a452ad88caacc7cdcb6e8" 396 | dependencies: 397 | esrecurse "^4.1.0" 398 | estraverse "^4.1.1" 399 | 400 | eslint@^4.9.0: 401 | version "4.9.0" 402 | resolved "https://registry.yarnpkg.com/eslint/-/eslint-4.9.0.tgz#76879d274068261b191fe0f2f56c74c2f4208e8b" 403 | dependencies: 404 | ajv "^5.2.0" 405 | babel-code-frame "^6.22.0" 406 | chalk "^2.1.0" 407 | concat-stream "^1.6.0" 408 | cross-spawn "^5.1.0" 409 | debug "^3.0.1" 410 | doctrine "^2.0.0" 411 | eslint-scope "^3.7.1" 412 | espree "^3.5.1" 413 | esquery "^1.0.0" 414 | estraverse "^4.2.0" 415 | esutils "^2.0.2" 416 | file-entry-cache "^2.0.0" 417 | functional-red-black-tree "^1.0.1" 418 | glob "^7.1.2" 419 | globals "^9.17.0" 420 | ignore "^3.3.3" 421 | imurmurhash "^0.1.4" 422 | inquirer "^3.0.6" 423 | is-resolvable "^1.0.0" 424 | js-yaml "^3.9.1" 425 | json-stable-stringify "^1.0.1" 426 | levn "^0.3.0" 427 | lodash "^4.17.4" 428 | minimatch "^3.0.2" 429 | mkdirp "^0.5.1" 430 | natural-compare "^1.4.0" 431 | optionator "^0.8.2" 432 | path-is-inside "^1.0.2" 433 | pluralize "^7.0.0" 434 | progress "^2.0.0" 435 | require-uncached "^1.0.3" 436 | semver "^5.3.0" 437 | strip-ansi "^4.0.0" 438 | strip-json-comments "~2.0.1" 439 | table "^4.0.1" 440 | text-table "~0.2.0" 441 | 442 | espree@^3.5.1: 443 | version "3.5.1" 444 | resolved "https://registry.yarnpkg.com/espree/-/espree-3.5.1.tgz#0c988b8ab46db53100a1954ae4ba995ddd27d87e" 445 | dependencies: 446 | acorn "^5.1.1" 447 | acorn-jsx "^3.0.0" 448 | 449 | esprima@2.7.x, esprima@^2.7.1: 450 | version "2.7.3" 451 | resolved "https://registry.yarnpkg.com/esprima/-/esprima-2.7.3.tgz#96e3b70d5779f6ad49cd032673d1c312767ba581" 452 | 453 | esprima@^4.0.0: 454 | version "4.0.0" 455 | resolved "https://registry.yarnpkg.com/esprima/-/esprima-4.0.0.tgz#4499eddcd1110e0b218bacf2fa7f7f59f55ca804" 456 | 457 | esquery@^1.0.0: 458 | version "1.0.0" 459 | resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.0.0.tgz#cfba8b57d7fba93f17298a8a006a04cda13d80fa" 460 | dependencies: 461 | estraverse "^4.0.0" 462 | 463 | esrecurse@^4.1.0: 464 | version "4.1.0" 465 | resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.1.0.tgz#4713b6536adf7f2ac4f327d559e7756bff648220" 466 | dependencies: 467 | estraverse "~4.1.0" 468 | object-assign "^4.0.1" 469 | 470 | estraverse@^1.9.1: 471 | version "1.9.3" 472 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-1.9.3.tgz#af67f2dc922582415950926091a4005d29c9bb44" 473 | 474 | estraverse@^4.0.0, estraverse@^4.1.1, estraverse@^4.2.0: 475 | version "4.2.0" 476 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.2.0.tgz#0dee3fed31fcd469618ce7342099fc1afa0bdb13" 477 | 478 | estraverse@~4.1.0: 479 | version "4.1.1" 480 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.1.1.tgz#f6caca728933a850ef90661d0e17982ba47111a2" 481 | 482 | esutils@^2.0.2: 483 | version "2.0.2" 484 | resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.2.tgz#0abf4f1caa5bcb1f7a9d8acc6dea4faaa04bac9b" 485 | 486 | etag@~1.8.1: 487 | version "1.8.1" 488 | resolved "https://registry.yarnpkg.com/etag/-/etag-1.8.1.tgz#41ae2eeb65efa62268aebfea83ac7d79299b0887" 489 | 490 | express@^4.17.1: 491 | version "4.17.1" 492 | resolved "https://registry.yarnpkg.com/express/-/express-4.17.1.tgz#4491fc38605cf51f8629d39c2b5d026f98a4c134" 493 | dependencies: 494 | accepts "~1.3.7" 495 | array-flatten "1.1.1" 496 | body-parser "1.19.0" 497 | content-disposition "0.5.3" 498 | content-type "~1.0.4" 499 | cookie "0.4.0" 500 | cookie-signature "1.0.6" 501 | debug "2.6.9" 502 | depd "~1.1.2" 503 | encodeurl "~1.0.2" 504 | escape-html "~1.0.3" 505 | etag "~1.8.1" 506 | finalhandler "~1.1.2" 507 | fresh "0.5.2" 508 | merge-descriptors "1.0.1" 509 | methods "~1.1.2" 510 | on-finished "~2.3.0" 511 | parseurl "~1.3.3" 512 | path-to-regexp "0.1.7" 513 | proxy-addr "~2.0.5" 514 | qs "6.7.0" 515 | range-parser "~1.2.1" 516 | safe-buffer "5.1.2" 517 | send "0.17.1" 518 | serve-static "1.14.1" 519 | setprototypeof "1.1.1" 520 | statuses "~1.5.0" 521 | type-is "~1.6.18" 522 | utils-merge "1.0.1" 523 | vary "~1.1.2" 524 | 525 | extend@3, extend@~3.0.0, extend@~3.0.2: 526 | version "3.0.2" 527 | resolved "https://registry.yarnpkg.com/extend/-/extend-3.0.2.tgz#f8b1136b4071fbd8eb140aff858b1019ec2915fa" 528 | 529 | external-editor@^2.0.4: 530 | version "2.0.5" 531 | resolved "https://registry.yarnpkg.com/external-editor/-/external-editor-2.0.5.tgz#52c249a3981b9ba187c7cacf5beb50bf1d91a6bc" 532 | dependencies: 533 | iconv-lite "^0.4.17" 534 | jschardet "^1.4.2" 535 | tmp "^0.0.33" 536 | 537 | extsprintf@1.0.2: 538 | version "1.0.2" 539 | resolved "https://registry.yarnpkg.com/extsprintf/-/extsprintf-1.0.2.tgz#e1080e0658e300b06294990cc70e1502235fd550" 540 | 541 | fast-deep-equal@^1.0.0: 542 | version "1.0.0" 543 | resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-1.0.0.tgz#96256a3bc975595eb36d82e9929d060d893439ff" 544 | 545 | fast-deep-equal@^2.0.1: 546 | version "2.0.1" 547 | resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-2.0.1.tgz#7b05218ddf9667bf7f370bf7fdb2cb15fdd0aa49" 548 | 549 | fast-json-stable-stringify@^2.0.0: 550 | version "2.0.0" 551 | resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.0.0.tgz#d5142c0caee6b1189f87d3a76111064f86c8bbf2" 552 | 553 | fast-levenshtein@~2.0.4: 554 | version "2.0.6" 555 | resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917" 556 | 557 | figures@^2.0.0: 558 | version "2.0.0" 559 | resolved "https://registry.yarnpkg.com/figures/-/figures-2.0.0.tgz#3ab1a2d2a62c8bfb431a0c94cb797a2fce27c962" 560 | dependencies: 561 | escape-string-regexp "^1.0.5" 562 | 563 | file-entry-cache@^2.0.0: 564 | version "2.0.0" 565 | resolved "https://registry.yarnpkg.com/file-entry-cache/-/file-entry-cache-2.0.0.tgz#c392990c3e684783d838b8c84a45d8a048458361" 566 | dependencies: 567 | flat-cache "^1.2.1" 568 | object-assign "^4.0.1" 569 | 570 | finalhandler@~1.1.2: 571 | version "1.1.2" 572 | resolved "https://registry.yarnpkg.com/finalhandler/-/finalhandler-1.1.2.tgz#b7e7d000ffd11938d0fdb053506f6ebabe9f587d" 573 | dependencies: 574 | debug "2.6.9" 575 | encodeurl "~1.0.2" 576 | escape-html "~1.0.3" 577 | on-finished "~2.3.0" 578 | parseurl "~1.3.3" 579 | statuses "~1.5.0" 580 | unpipe "~1.0.0" 581 | 582 | flat-cache@^1.2.1: 583 | version "1.2.2" 584 | resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-1.2.2.tgz#fa86714e72c21db88601761ecf2f555d1abc6b96" 585 | dependencies: 586 | circular-json "^0.3.1" 587 | del "^2.0.2" 588 | graceful-fs "^4.1.2" 589 | write "^0.2.1" 590 | 591 | follow-redirects@0.0.7: 592 | version "0.0.7" 593 | resolved "https://registry.yarnpkg.com/follow-redirects/-/follow-redirects-0.0.7.tgz#34b90bab2a911aa347571da90f22bd36ecd8a919" 594 | dependencies: 595 | debug "^2.2.0" 596 | stream-consume "^0.1.0" 597 | 598 | forever-agent@~0.6.1: 599 | version "0.6.1" 600 | resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91" 601 | 602 | form-data@~2.3.2: 603 | version "2.3.3" 604 | resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.3.3.tgz#dcce52c05f644f298c6a7ab936bd724ceffbf3a6" 605 | dependencies: 606 | asynckit "^0.4.0" 607 | combined-stream "^1.0.6" 608 | mime-types "^2.1.12" 609 | 610 | forwarded@~0.1.2: 611 | version "0.1.2" 612 | resolved "https://registry.yarnpkg.com/forwarded/-/forwarded-0.1.2.tgz#98c23dab1175657b8c0573e8ceccd91b0ff18c84" 613 | 614 | fresh@0.5.2: 615 | version "0.5.2" 616 | resolved "https://registry.yarnpkg.com/fresh/-/fresh-0.5.2.tgz#3d8cadd90d976569fa835ab1f8e4b23a105605a7" 617 | 618 | fs.realpath@^1.0.0: 619 | version "1.0.0" 620 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" 621 | 622 | functional-red-black-tree@^1.0.1: 623 | version "1.0.1" 624 | resolved "https://registry.yarnpkg.com/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz#1b0ab3bd553b2a0d6399d29c0e3ea0b252078327" 625 | 626 | getpass@^0.1.1: 627 | version "0.1.7" 628 | resolved "https://registry.yarnpkg.com/getpass/-/getpass-0.1.7.tgz#5eff8e3e684d569ae4cb2b1282604e8ba62149fa" 629 | dependencies: 630 | assert-plus "^1.0.0" 631 | 632 | github@^11.0.0: 633 | version "11.0.0" 634 | resolved "https://registry.yarnpkg.com/github/-/github-11.0.0.tgz#edb32df5efb33cad004ebf0bdd2a4b30bb63a854" 635 | dependencies: 636 | follow-redirects "0.0.7" 637 | https-proxy-agent "^1.0.0" 638 | mime "^1.2.11" 639 | netrc "^0.1.4" 640 | 641 | glob@^5.0.15: 642 | version "5.0.15" 643 | resolved "https://registry.yarnpkg.com/glob/-/glob-5.0.15.tgz#1bc936b9e02f4a603fcc222ecf7633d30b8b93b1" 644 | dependencies: 645 | inflight "^1.0.4" 646 | inherits "2" 647 | minimatch "2 || 3" 648 | once "^1.3.0" 649 | path-is-absolute "^1.0.0" 650 | 651 | glob@^7.0.3, glob@^7.0.5, glob@^7.1.2, glob@^7.1.4: 652 | version "7.1.4" 653 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.4.tgz#aa608a2f6c577ad357e1ae5a5c26d9a8d1969255" 654 | dependencies: 655 | fs.realpath "^1.0.0" 656 | inflight "^1.0.4" 657 | inherits "2" 658 | minimatch "^3.0.4" 659 | once "^1.3.0" 660 | path-is-absolute "^1.0.0" 661 | 662 | globals@^9.17.0: 663 | version "9.18.0" 664 | resolved "https://registry.yarnpkg.com/globals/-/globals-9.18.0.tgz#aa3896b3e69b487f17e31ed2143d69a8e30c2d8a" 665 | 666 | globby@^5.0.0: 667 | version "5.0.0" 668 | resolved "https://registry.yarnpkg.com/globby/-/globby-5.0.0.tgz#ebd84667ca0dbb330b99bcfc68eac2bc54370e0d" 669 | dependencies: 670 | array-union "^1.0.1" 671 | arrify "^1.0.0" 672 | glob "^7.0.3" 673 | object-assign "^4.0.1" 674 | pify "^2.0.0" 675 | pinkie-promise "^2.0.0" 676 | 677 | graceful-fs@^4.1.2: 678 | version "4.1.11" 679 | resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.1.11.tgz#0e8bdfe4d1ddb8854d64e04ea7c00e2a026e5658" 680 | 681 | handlebars@^4.0.1: 682 | version "4.7.6" 683 | resolved "https://registry.yarnpkg.com/handlebars/-/handlebars-4.7.6.tgz#d4c05c1baf90e9945f77aa68a7a219aa4a7df74e" 684 | dependencies: 685 | minimist "^1.2.5" 686 | neo-async "^2.6.0" 687 | source-map "^0.6.1" 688 | wordwrap "^1.0.0" 689 | optionalDependencies: 690 | uglify-js "^3.1.4" 691 | 692 | har-schema@^2.0.0: 693 | version "2.0.0" 694 | resolved "https://registry.yarnpkg.com/har-schema/-/har-schema-2.0.0.tgz#a94c2224ebcac04782a0d9035521f24735b7ec92" 695 | 696 | har-validator@~5.1.3: 697 | version "5.1.3" 698 | resolved "https://registry.yarnpkg.com/har-validator/-/har-validator-5.1.3.tgz#1ef89ebd3e4996557675eed9893110dc350fa080" 699 | dependencies: 700 | ajv "^6.5.5" 701 | har-schema "^2.0.0" 702 | 703 | has-ansi@^2.0.0: 704 | version "2.0.0" 705 | resolved "https://registry.yarnpkg.com/has-ansi/-/has-ansi-2.0.0.tgz#34f5049ce1ecdf2b0649af3ef24e45ed35416d91" 706 | dependencies: 707 | ansi-regex "^2.0.0" 708 | 709 | has-flag@^1.0.0: 710 | version "1.0.0" 711 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-1.0.0.tgz#9d9e793165ce017a00f00418c43f942a7b1d11fa" 712 | 713 | has-flag@^2.0.0: 714 | version "2.0.0" 715 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-2.0.0.tgz#e8207af1cc7b30d446cc70b734b5e8be18f88d51" 716 | 717 | http-errors@1.7.2, http-errors@~1.7.2: 718 | version "1.7.2" 719 | resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.7.2.tgz#4f5029cf13239f31036e5b2e55292bcfbcc85c8f" 720 | dependencies: 721 | depd "~1.1.2" 722 | inherits "2.0.3" 723 | setprototypeof "1.1.1" 724 | statuses ">= 1.5.0 < 2" 725 | toidentifier "1.0.0" 726 | 727 | http-signature@~1.2.0: 728 | version "1.2.0" 729 | resolved "https://registry.yarnpkg.com/http-signature/-/http-signature-1.2.0.tgz#9aecd925114772f3d95b65a60abb8f7c18fbace1" 730 | dependencies: 731 | assert-plus "^1.0.0" 732 | jsprim "^1.2.2" 733 | sshpk "^1.7.0" 734 | 735 | https-proxy-agent@^1.0.0: 736 | version "1.0.0" 737 | resolved "https://registry.yarnpkg.com/https-proxy-agent/-/https-proxy-agent-1.0.0.tgz#35f7da6c48ce4ddbfa264891ac593ee5ff8671e6" 738 | dependencies: 739 | agent-base "2" 740 | debug "2" 741 | extend "3" 742 | 743 | husky@^0.14.3: 744 | version "0.14.3" 745 | resolved "https://registry.yarnpkg.com/husky/-/husky-0.14.3.tgz#c69ed74e2d2779769a17ba8399b54ce0b63c12c3" 746 | dependencies: 747 | is-ci "^1.0.10" 748 | normalize-path "^1.0.0" 749 | strip-indent "^2.0.0" 750 | 751 | iconv-lite@0.4.24: 752 | version "0.4.24" 753 | resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.24.tgz#2022b4b25fbddc21d2f524974a474aafe733908b" 754 | dependencies: 755 | safer-buffer ">= 2.1.2 < 3" 756 | 757 | iconv-lite@^0.4.17: 758 | version "0.4.19" 759 | resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.19.tgz#f7468f60135f5e5dad3399c0a81be9a1603a082b" 760 | 761 | iconv@~2.2.1: 762 | version "2.2.3" 763 | resolved "https://registry.yarnpkg.com/iconv/-/iconv-2.2.3.tgz#e084d60eeb7d73da7f0a9c096e4c8abe090bfaed" 764 | dependencies: 765 | nan "^2.3.5" 766 | 767 | ignore@^3.3.3: 768 | version "3.3.5" 769 | resolved "https://registry.yarnpkg.com/ignore/-/ignore-3.3.5.tgz#c4e715455f6073a8d7e5dae72d2fc9d71663dba6" 770 | 771 | imurmurhash@^0.1.4: 772 | version "0.1.4" 773 | resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea" 774 | 775 | inflight@^1.0.4: 776 | version "1.0.6" 777 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9" 778 | dependencies: 779 | once "^1.3.0" 780 | wrappy "1" 781 | 782 | inherits@2, inherits@2.0.3, inherits@^2.0.3, inherits@~2.0.1: 783 | version "2.0.3" 784 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de" 785 | 786 | inherits@2.0.1: 787 | version "2.0.1" 788 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.1.tgz#b17d08d326b4423e568eff719f91b0b1cbdf69f1" 789 | 790 | inquirer@^3.0.6: 791 | version "3.3.0" 792 | resolved "https://registry.yarnpkg.com/inquirer/-/inquirer-3.3.0.tgz#9dd2f2ad765dcab1ff0443b491442a20ba227dc9" 793 | dependencies: 794 | ansi-escapes "^3.0.0" 795 | chalk "^2.0.0" 796 | cli-cursor "^2.1.0" 797 | cli-width "^2.0.0" 798 | external-editor "^2.0.4" 799 | figures "^2.0.0" 800 | lodash "^4.3.0" 801 | mute-stream "0.0.7" 802 | run-async "^2.2.0" 803 | rx-lite "^4.0.8" 804 | rx-lite-aggregates "^4.0.8" 805 | string-width "^2.1.0" 806 | strip-ansi "^4.0.0" 807 | through "^2.3.6" 808 | 809 | ipaddr.js@1.9.0: 810 | version "1.9.0" 811 | resolved "https://registry.yarnpkg.com/ipaddr.js/-/ipaddr.js-1.9.0.tgz#37df74e430a0e47550fe54a2defe30d8acd95f65" 812 | 813 | irc-colors@^1.1.0: 814 | version "1.3.3" 815 | resolved "https://registry.yarnpkg.com/irc-colors/-/irc-colors-1.3.3.tgz#16f8fa6130a3882fdf4fab801c5b4f58328a3391" 816 | 817 | irc@^0.5.2: 818 | version "0.5.2" 819 | resolved "https://registry.yarnpkg.com/irc/-/irc-0.5.2.tgz#3714f4768365a96d0b2f776bc91166beb2464bbc" 820 | dependencies: 821 | irc-colors "^1.1.0" 822 | optionalDependencies: 823 | iconv "~2.2.1" 824 | node-icu-charset-detector "~0.2.0" 825 | 826 | is-ci@^1.0.10: 827 | version "1.0.10" 828 | resolved "https://registry.yarnpkg.com/is-ci/-/is-ci-1.0.10.tgz#f739336b2632365061a9d48270cd56ae3369318e" 829 | dependencies: 830 | ci-info "^1.0.0" 831 | 832 | is-fullwidth-code-point@^2.0.0: 833 | version "2.0.0" 834 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f" 835 | 836 | is-path-cwd@^1.0.0: 837 | version "1.0.0" 838 | resolved "https://registry.yarnpkg.com/is-path-cwd/-/is-path-cwd-1.0.0.tgz#d225ec23132e89edd38fda767472e62e65f1106d" 839 | 840 | is-path-in-cwd@^1.0.0: 841 | version "1.0.0" 842 | resolved "https://registry.yarnpkg.com/is-path-in-cwd/-/is-path-in-cwd-1.0.0.tgz#6477582b8214d602346094567003be8a9eac04dc" 843 | dependencies: 844 | is-path-inside "^1.0.0" 845 | 846 | is-path-inside@^1.0.0: 847 | version "1.0.0" 848 | resolved "https://registry.yarnpkg.com/is-path-inside/-/is-path-inside-1.0.0.tgz#fc06e5a1683fbda13de667aff717bbc10a48f37f" 849 | dependencies: 850 | path-is-inside "^1.0.1" 851 | 852 | is-promise@^2.1.0: 853 | version "2.1.0" 854 | resolved "https://registry.yarnpkg.com/is-promise/-/is-promise-2.1.0.tgz#79a2a9ece7f096e80f36d2b2f3bc16c1ff4bf3fa" 855 | 856 | is-resolvable@^1.0.0: 857 | version "1.0.0" 858 | resolved "https://registry.yarnpkg.com/is-resolvable/-/is-resolvable-1.0.0.tgz#8df57c61ea2e3c501408d100fb013cf8d6e0cc62" 859 | dependencies: 860 | tryit "^1.0.1" 861 | 862 | is-typedarray@~1.0.0: 863 | version "1.0.0" 864 | resolved "https://registry.yarnpkg.com/is-typedarray/-/is-typedarray-1.0.0.tgz#e479c80858df0c1b11ddda6940f96011fcda4a9a" 865 | 866 | isarray@^1.0.0, isarray@~1.0.0: 867 | version "1.0.0" 868 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" 869 | 870 | isexe@^2.0.0: 871 | version "2.0.0" 872 | resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10" 873 | 874 | isstream@~0.1.2: 875 | version "0.1.2" 876 | resolved "https://registry.yarnpkg.com/isstream/-/isstream-0.1.2.tgz#47e63f7af55afa6f92e1500e690eb8b8529c099a" 877 | 878 | istanbul@^0.4.5: 879 | version "0.4.5" 880 | resolved "https://registry.yarnpkg.com/istanbul/-/istanbul-0.4.5.tgz#65c7d73d4c4da84d4f3ac310b918fb0b8033733b" 881 | dependencies: 882 | abbrev "1.0.x" 883 | async "1.x" 884 | escodegen "1.8.x" 885 | esprima "2.7.x" 886 | glob "^5.0.15" 887 | handlebars "^4.0.1" 888 | js-yaml "3.x" 889 | mkdirp "0.5.x" 890 | nopt "3.x" 891 | once "1.x" 892 | resolve "1.1.x" 893 | supports-color "^3.1.0" 894 | which "^1.1.1" 895 | wordwrap "^1.0.0" 896 | 897 | jasmine-core@~3.5.0: 898 | version "3.5.0" 899 | resolved "https://registry.yarnpkg.com/jasmine-core/-/jasmine-core-3.5.0.tgz#132c23e645af96d85c8bca13c8758b18429fc1e4" 900 | 901 | jasmine@^3.5.0: 902 | version "3.5.0" 903 | resolved "https://registry.yarnpkg.com/jasmine/-/jasmine-3.5.0.tgz#7101eabfd043a1fc82ac24e0ab6ec56081357f9e" 904 | dependencies: 905 | glob "^7.1.4" 906 | jasmine-core "~3.5.0" 907 | 908 | js-tokens@^3.0.2: 909 | version "3.0.2" 910 | resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-3.0.2.tgz#9866df395102130e38f7f996bceb65443209c25b" 911 | 912 | js-yaml@3.x, js-yaml@^3.13.1, js-yaml@^3.9.1: 913 | version "3.14.0" 914 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-3.14.0.tgz#a7a34170f26a21bb162424d8adacb4113a69e482" 915 | dependencies: 916 | argparse "^1.0.7" 917 | esprima "^4.0.0" 918 | 919 | jsbn@~0.1.0: 920 | version "0.1.1" 921 | resolved "https://registry.yarnpkg.com/jsbn/-/jsbn-0.1.1.tgz#a5e654c2e5a2deb5f201d96cefbca80c0ef2f513" 922 | 923 | jschardet@^1.4.2: 924 | version "1.5.1" 925 | resolved "https://registry.yarnpkg.com/jschardet/-/jschardet-1.5.1.tgz#c519f629f86b3a5bedba58a88d311309eec097f9" 926 | 927 | json-schema-traverse@^0.3.0: 928 | version "0.3.1" 929 | resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.3.1.tgz#349a6d44c53a51de89b40805c5d5e59b417d3340" 930 | 931 | json-schema-traverse@^0.4.1: 932 | version "0.4.1" 933 | resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz#69f6a87d9513ab8bb8fe63bdb0979c448e684660" 934 | 935 | json-schema@0.2.3: 936 | version "0.2.3" 937 | resolved "https://registry.yarnpkg.com/json-schema/-/json-schema-0.2.3.tgz#b480c892e59a2f05954ce727bd3f2a4e882f9e13" 938 | 939 | json-stable-stringify@^1.0.1: 940 | version "1.0.1" 941 | resolved "https://registry.yarnpkg.com/json-stable-stringify/-/json-stable-stringify-1.0.1.tgz#9a759d39c5f2ff503fd5300646ed445f88c4f9af" 942 | dependencies: 943 | jsonify "~0.0.0" 944 | 945 | json-stringify-safe@~5.0.1: 946 | version "5.0.1" 947 | resolved "https://registry.yarnpkg.com/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz#1296a2d58fd45f19a0f6ce01d65701e2c735b6eb" 948 | 949 | jsonify@~0.0.0: 950 | version "0.0.0" 951 | resolved "https://registry.yarnpkg.com/jsonify/-/jsonify-0.0.0.tgz#2c74b6ee41d93ca51b7b5aaee8f503631d252a73" 952 | 953 | jsprim@^1.2.2: 954 | version "1.4.0" 955 | resolved "https://registry.yarnpkg.com/jsprim/-/jsprim-1.4.0.tgz#a3b87e40298d8c380552d8cc7628a0bb95a22918" 956 | dependencies: 957 | assert-plus "1.0.0" 958 | extsprintf "1.0.2" 959 | json-schema "0.2.3" 960 | verror "1.3.6" 961 | 962 | lcov-parse@^1.0.0: 963 | version "1.0.0" 964 | resolved "https://registry.yarnpkg.com/lcov-parse/-/lcov-parse-1.0.0.tgz#eb0d46b54111ebc561acb4c408ef9363bdc8f7e0" 965 | 966 | levn@^0.3.0, levn@~0.3.0: 967 | version "0.3.0" 968 | resolved "https://registry.yarnpkg.com/levn/-/levn-0.3.0.tgz#3b09924edf9f083c0490fdd4c0bc4421e04764ee" 969 | dependencies: 970 | prelude-ls "~1.1.2" 971 | type-check "~0.3.2" 972 | 973 | lodash@^4.17.4, lodash@^4.3.0: 974 | version "4.17.15" 975 | resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.15.tgz#b447f6670a0455bbfeedd11392eff330ea097548" 976 | 977 | log-driver@^1.2.7: 978 | version "1.2.7" 979 | resolved "https://registry.yarnpkg.com/log-driver/-/log-driver-1.2.7.tgz#63b95021f0702fedfa2c9bb0a24e7797d71871d8" 980 | 981 | lru-cache@^4.0.1: 982 | version "4.1.1" 983 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-4.1.1.tgz#622e32e82488b49279114a4f9ecf45e7cd6bba55" 984 | dependencies: 985 | pseudomap "^1.0.2" 986 | yallist "^2.1.2" 987 | 988 | media-typer@0.3.0: 989 | version "0.3.0" 990 | resolved "https://registry.yarnpkg.com/media-typer/-/media-typer-0.3.0.tgz#8710d7af0aa626f8fffa1ce00168545263255748" 991 | 992 | merge-descriptors@1.0.1: 993 | version "1.0.1" 994 | resolved "https://registry.yarnpkg.com/merge-descriptors/-/merge-descriptors-1.0.1.tgz#b00aaa556dd8b44568150ec9d1b953f3f90cbb61" 995 | 996 | methods@~1.1.2: 997 | version "1.1.2" 998 | resolved "https://registry.yarnpkg.com/methods/-/methods-1.1.2.tgz#5529a4d67654134edcc5266656835b0f851afcee" 999 | 1000 | mime-db@1.40.0: 1001 | version "1.40.0" 1002 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.40.0.tgz#a65057e998db090f732a68f6c276d387d4126c32" 1003 | 1004 | mime-db@~1.27.0: 1005 | version "1.27.0" 1006 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.27.0.tgz#820f572296bbd20ec25ed55e5b5de869e5436eb1" 1007 | 1008 | mime-db@~1.37.0: 1009 | version "1.37.0" 1010 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.37.0.tgz#0b6a0ce6fdbe9576e25f1f2d2fde8830dc0ad0d8" 1011 | 1012 | mime-types@^2.1.12: 1013 | version "2.1.15" 1014 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.15.tgz#a4ebf5064094569237b8cf70046776d09fc92aed" 1015 | dependencies: 1016 | mime-db "~1.27.0" 1017 | 1018 | mime-types@~2.1.19: 1019 | version "2.1.21" 1020 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.21.tgz#28995aa1ecb770742fe6ae7e58f9181c744b3f96" 1021 | dependencies: 1022 | mime-db "~1.37.0" 1023 | 1024 | mime-types@~2.1.24: 1025 | version "2.1.24" 1026 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.24.tgz#b6f8d0b3e951efb77dedeca194cff6d16f676f81" 1027 | dependencies: 1028 | mime-db "1.40.0" 1029 | 1030 | mime@1.6.0, mime@^1.2.11: 1031 | version "1.6.0" 1032 | resolved "https://registry.yarnpkg.com/mime/-/mime-1.6.0.tgz#32cd9e5c64553bd58d19a568af452acff04981b1" 1033 | 1034 | mimic-fn@^1.0.0: 1035 | version "1.1.0" 1036 | resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-1.1.0.tgz#e667783d92e89dbd342818b5230b9d62a672ad18" 1037 | 1038 | "minimatch@2 || 3", minimatch@^3.0.2, minimatch@^3.0.4: 1039 | version "3.0.4" 1040 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083" 1041 | dependencies: 1042 | brace-expansion "^1.1.7" 1043 | 1044 | minimist@0.0.8: 1045 | version "0.0.8" 1046 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.8.tgz#857fcabfc3397d2625b8228262e86aa7a011b05d" 1047 | 1048 | minimist@^1.2.5: 1049 | version "1.2.5" 1050 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.5.tgz#67d66014b66a6a8aaa0c083c5fd58df4e4e97602" 1051 | 1052 | mkdirp@0.5.x, mkdirp@^0.5.1: 1053 | version "0.5.1" 1054 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.1.tgz#30057438eac6cf7f8c4767f38648d6697d75c903" 1055 | dependencies: 1056 | minimist "0.0.8" 1057 | 1058 | ms@2.0.0: 1059 | version "2.0.0" 1060 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8" 1061 | 1062 | ms@2.1.1, ms@^2.1.1: 1063 | version "2.1.1" 1064 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.1.tgz#30a5864eb3ebb0a66f2ebe6d727af06a09d86e0a" 1065 | 1066 | mute-stream@0.0.7: 1067 | version "0.0.7" 1068 | resolved "https://registry.yarnpkg.com/mute-stream/-/mute-stream-0.0.7.tgz#3075ce93bc21b8fab43e1bc4da7e8115ed1e7bab" 1069 | 1070 | nan@^2.3.3, nan@^2.3.5: 1071 | version "2.6.2" 1072 | resolved "https://registry.yarnpkg.com/nan/-/nan-2.6.2.tgz#e4ff34e6c95fdfb5aecc08de6596f43605a7db45" 1073 | 1074 | natural-compare@^1.4.0: 1075 | version "1.4.0" 1076 | resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7" 1077 | 1078 | negotiator@0.6.2: 1079 | version "0.6.2" 1080 | resolved "https://registry.yarnpkg.com/negotiator/-/negotiator-0.6.2.tgz#feacf7ccf525a77ae9634436a64883ffeca346fb" 1081 | 1082 | neo-async@^2.6.0: 1083 | version "2.6.1" 1084 | resolved "https://registry.yarnpkg.com/neo-async/-/neo-async-2.6.1.tgz#ac27ada66167fa8849a6addd837f6b189ad2081c" 1085 | 1086 | netrc@^0.1.4: 1087 | version "0.1.4" 1088 | resolved "https://registry.yarnpkg.com/netrc/-/netrc-0.1.4.tgz#6be94fcaca8d77ade0a9670dc460914c94472444" 1089 | 1090 | node-icu-charset-detector@~0.2.0: 1091 | version "0.2.0" 1092 | resolved "https://registry.yarnpkg.com/node-icu-charset-detector/-/node-icu-charset-detector-0.2.0.tgz#c2320da374ddcb671fc54cb4a0e041e156ffd639" 1093 | dependencies: 1094 | nan "^2.3.3" 1095 | 1096 | nopt@3.x: 1097 | version "3.0.6" 1098 | resolved "https://registry.yarnpkg.com/nopt/-/nopt-3.0.6.tgz#c6465dbf08abcd4db359317f79ac68a646b28ff9" 1099 | dependencies: 1100 | abbrev "1" 1101 | 1102 | normalize-path@^1.0.0: 1103 | version "1.0.0" 1104 | resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-1.0.0.tgz#32d0e472f91ff345701c15a8311018d3b0a90379" 1105 | 1106 | oauth-sign@~0.9.0: 1107 | version "0.9.0" 1108 | resolved "https://registry.yarnpkg.com/oauth-sign/-/oauth-sign-0.9.0.tgz#47a7b016baa68b5fa0ecf3dee08a85c679ac6455" 1109 | 1110 | object-assign@^4.0.1: 1111 | version "4.1.1" 1112 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863" 1113 | 1114 | on-finished@~2.3.0: 1115 | version "2.3.0" 1116 | resolved "https://registry.yarnpkg.com/on-finished/-/on-finished-2.3.0.tgz#20f1336481b083cd75337992a16971aa2d906947" 1117 | dependencies: 1118 | ee-first "1.1.1" 1119 | 1120 | once@1.x, once@^1.3.0: 1121 | version "1.4.0" 1122 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" 1123 | dependencies: 1124 | wrappy "1" 1125 | 1126 | onetime@^2.0.0: 1127 | version "2.0.1" 1128 | resolved "https://registry.yarnpkg.com/onetime/-/onetime-2.0.1.tgz#067428230fd67443b2794b22bba528b6867962d4" 1129 | dependencies: 1130 | mimic-fn "^1.0.0" 1131 | 1132 | optionator@^0.8.1, optionator@^0.8.2: 1133 | version "0.8.2" 1134 | resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.8.2.tgz#364c5e409d3f4d6301d6c0b4c05bba50180aeb64" 1135 | dependencies: 1136 | deep-is "~0.1.3" 1137 | fast-levenshtein "~2.0.4" 1138 | levn "~0.3.0" 1139 | prelude-ls "~1.1.2" 1140 | type-check "~0.3.2" 1141 | wordwrap "~1.0.0" 1142 | 1143 | os-tmpdir@~1.0.2: 1144 | version "1.0.2" 1145 | resolved "https://registry.yarnpkg.com/os-tmpdir/-/os-tmpdir-1.0.2.tgz#bbe67406c79aa85c5cfec766fe5734555dfa1274" 1146 | 1147 | parseurl@~1.3.3: 1148 | version "1.3.3" 1149 | resolved "https://registry.yarnpkg.com/parseurl/-/parseurl-1.3.3.tgz#9da19e7bee8d12dff0513ed5b76957793bc2e8d4" 1150 | 1151 | path-is-absolute@^1.0.0: 1152 | version "1.0.1" 1153 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" 1154 | 1155 | path-is-inside@^1.0.1, path-is-inside@^1.0.2: 1156 | version "1.0.2" 1157 | resolved "https://registry.yarnpkg.com/path-is-inside/-/path-is-inside-1.0.2.tgz#365417dede44430d1c11af61027facf074bdfc53" 1158 | 1159 | path-to-regexp@0.1.7: 1160 | version "0.1.7" 1161 | resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-0.1.7.tgz#df604178005f522f15eb4490e7247a1bfaa67f8c" 1162 | 1163 | path@^0.12.7: 1164 | version "0.12.7" 1165 | resolved "https://registry.yarnpkg.com/path/-/path-0.12.7.tgz#d4dc2a506c4ce2197eb481ebfcd5b36c0140b10f" 1166 | dependencies: 1167 | process "^0.11.1" 1168 | util "^0.10.3" 1169 | 1170 | performance-now@^2.1.0: 1171 | version "2.1.0" 1172 | resolved "https://registry.yarnpkg.com/performance-now/-/performance-now-2.1.0.tgz#6309f4e0e5fa913ec1c69307ae364b4b377c9e7b" 1173 | 1174 | pify@^2.0.0: 1175 | version "2.3.0" 1176 | resolved "https://registry.yarnpkg.com/pify/-/pify-2.3.0.tgz#ed141a6ac043a849ea588498e7dca8b15330e90c" 1177 | 1178 | pinkie-promise@^2.0.0: 1179 | version "2.0.1" 1180 | resolved "https://registry.yarnpkg.com/pinkie-promise/-/pinkie-promise-2.0.1.tgz#2135d6dfa7a358c069ac9b178776288228450ffa" 1181 | dependencies: 1182 | pinkie "^2.0.0" 1183 | 1184 | pinkie@^2.0.0: 1185 | version "2.0.4" 1186 | resolved "https://registry.yarnpkg.com/pinkie/-/pinkie-2.0.4.tgz#72556b80cfa0d48a974e80e77248e80ed4f7f870" 1187 | 1188 | pluralize@^7.0.0: 1189 | version "7.0.0" 1190 | resolved "https://registry.yarnpkg.com/pluralize/-/pluralize-7.0.0.tgz#298b89df8b93b0221dbf421ad2b1b1ea23fc6777" 1191 | 1192 | prelude-ls@~1.1.2: 1193 | version "1.1.2" 1194 | resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.1.2.tgz#21932a549f5e52ffd9a827f570e04be62a97da54" 1195 | 1196 | process-nextick-args@~1.0.6: 1197 | version "1.0.7" 1198 | resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-1.0.7.tgz#150e20b756590ad3f91093f25a4f2ad8bff30ba3" 1199 | 1200 | process@^0.11.1: 1201 | version "0.11.10" 1202 | resolved "https://registry.yarnpkg.com/process/-/process-0.11.10.tgz#7332300e840161bda3e69a1d1d91a7d4bc16f182" 1203 | 1204 | progress@^2.0.0: 1205 | version "2.0.0" 1206 | resolved "https://registry.yarnpkg.com/progress/-/progress-2.0.0.tgz#8a1be366bf8fc23db2bd23f10c6fe920b4389d1f" 1207 | 1208 | proxy-addr@~2.0.5: 1209 | version "2.0.5" 1210 | resolved "https://registry.yarnpkg.com/proxy-addr/-/proxy-addr-2.0.5.tgz#34cbd64a2d81f4b1fd21e76f9f06c8a45299ee34" 1211 | dependencies: 1212 | forwarded "~0.1.2" 1213 | ipaddr.js "1.9.0" 1214 | 1215 | pseudomap@^1.0.2: 1216 | version "1.0.2" 1217 | resolved "https://registry.yarnpkg.com/pseudomap/-/pseudomap-1.0.2.tgz#f052a28da70e618917ef0a8ac34c1ae5a68286b3" 1218 | 1219 | psl@^1.1.28: 1220 | version "1.8.0" 1221 | resolved "https://registry.yarnpkg.com/psl/-/psl-1.8.0.tgz#9326f8bcfb013adcc005fdff056acce020e51c24" 1222 | 1223 | punycode@^2.1.0, punycode@^2.1.1: 1224 | version "2.1.1" 1225 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.1.1.tgz#b58b010ac40c22c5657616c8d2c2c02c7bf479ec" 1226 | 1227 | qs@6.7.0: 1228 | version "6.7.0" 1229 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.7.0.tgz#41dc1a015e3d581f1621776be31afb2876a9b1bc" 1230 | 1231 | qs@~6.5.2: 1232 | version "6.5.2" 1233 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.5.2.tgz#cb3ae806e8740444584ef154ce8ee98d403f3e36" 1234 | 1235 | range-parser@~1.2.1: 1236 | version "1.2.1" 1237 | resolved "https://registry.yarnpkg.com/range-parser/-/range-parser-1.2.1.tgz#3cf37023d199e1c24d1a55b84800c2f3e6468031" 1238 | 1239 | raw-body@2.4.0: 1240 | version "2.4.0" 1241 | resolved "https://registry.yarnpkg.com/raw-body/-/raw-body-2.4.0.tgz#a1ce6fb9c9bc356ca52e89256ab59059e13d0332" 1242 | dependencies: 1243 | bytes "3.1.0" 1244 | http-errors "1.7.2" 1245 | iconv-lite "0.4.24" 1246 | unpipe "1.0.0" 1247 | 1248 | readable-stream@^2.2.2: 1249 | version "2.2.11" 1250 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.2.11.tgz#0796b31f8d7688007ff0b93a8088d34aa17c0f72" 1251 | dependencies: 1252 | core-util-is "~1.0.0" 1253 | inherits "~2.0.1" 1254 | isarray "~1.0.0" 1255 | process-nextick-args "~1.0.6" 1256 | safe-buffer "~5.0.1" 1257 | string_decoder "~1.0.0" 1258 | util-deprecate "~1.0.1" 1259 | 1260 | readline@^1.3.0: 1261 | version "1.3.0" 1262 | resolved "https://registry.yarnpkg.com/readline/-/readline-1.3.0.tgz#c580d77ef2cfc8752b132498060dc9793a7ac01c" 1263 | 1264 | request@^2.88.2: 1265 | version "2.88.2" 1266 | resolved "https://registry.yarnpkg.com/request/-/request-2.88.2.tgz#d73c918731cb5a87da047e207234146f664d12b3" 1267 | dependencies: 1268 | aws-sign2 "~0.7.0" 1269 | aws4 "^1.8.0" 1270 | caseless "~0.12.0" 1271 | combined-stream "~1.0.6" 1272 | extend "~3.0.2" 1273 | forever-agent "~0.6.1" 1274 | form-data "~2.3.2" 1275 | har-validator "~5.1.3" 1276 | http-signature "~1.2.0" 1277 | is-typedarray "~1.0.0" 1278 | isstream "~0.1.2" 1279 | json-stringify-safe "~5.0.1" 1280 | mime-types "~2.1.19" 1281 | oauth-sign "~0.9.0" 1282 | performance-now "^2.1.0" 1283 | qs "~6.5.2" 1284 | safe-buffer "^5.1.2" 1285 | tough-cookie "~2.5.0" 1286 | tunnel-agent "^0.6.0" 1287 | uuid "^3.3.2" 1288 | 1289 | require-uncached@^1.0.3: 1290 | version "1.0.3" 1291 | resolved "https://registry.yarnpkg.com/require-uncached/-/require-uncached-1.0.3.tgz#4e0d56d6c9662fd31e43011c4b95aa49955421d3" 1292 | dependencies: 1293 | caller-path "^0.1.0" 1294 | resolve-from "^1.0.0" 1295 | 1296 | resolve-from@^1.0.0: 1297 | version "1.0.1" 1298 | resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-1.0.1.tgz#26cbfe935d1aeeeabb29bc3fe5aeb01e93d44226" 1299 | 1300 | resolve@1.1.x: 1301 | version "1.1.7" 1302 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.1.7.tgz#203114d82ad2c5ed9e8e0411b3932875e889e97b" 1303 | 1304 | restore-cursor@^2.0.0: 1305 | version "2.0.0" 1306 | resolved "https://registry.yarnpkg.com/restore-cursor/-/restore-cursor-2.0.0.tgz#9f7ee287f82fd326d4fd162923d62129eee0dfaf" 1307 | dependencies: 1308 | onetime "^2.0.0" 1309 | signal-exit "^3.0.2" 1310 | 1311 | rimraf@^2.2.8: 1312 | version "2.6.1" 1313 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.6.1.tgz#c2338ec643df7a1b7fe5c54fa86f57428a55f33d" 1314 | dependencies: 1315 | glob "^7.0.5" 1316 | 1317 | run-async@^2.2.0: 1318 | version "2.3.0" 1319 | resolved "https://registry.yarnpkg.com/run-async/-/run-async-2.3.0.tgz#0371ab4ae0bdd720d4166d7dfda64ff7a445a6c0" 1320 | dependencies: 1321 | is-promise "^2.1.0" 1322 | 1323 | rx-lite-aggregates@^4.0.8: 1324 | version "4.0.8" 1325 | resolved "https://registry.yarnpkg.com/rx-lite-aggregates/-/rx-lite-aggregates-4.0.8.tgz#753b87a89a11c95467c4ac1626c4efc4e05c67be" 1326 | dependencies: 1327 | rx-lite "*" 1328 | 1329 | rx-lite@*, rx-lite@^4.0.8: 1330 | version "4.0.8" 1331 | resolved "https://registry.yarnpkg.com/rx-lite/-/rx-lite-4.0.8.tgz#0b1e11af8bc44836f04a6407e92da42467b79444" 1332 | 1333 | safe-buffer@5.1.2, safe-buffer@^5.0.1, safe-buffer@^5.1.2: 1334 | version "5.1.2" 1335 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d" 1336 | 1337 | safe-buffer@~5.0.1: 1338 | version "5.0.1" 1339 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.0.1.tgz#d263ca54696cd8a306b5ca6551e92de57918fbe7" 1340 | 1341 | "safer-buffer@>= 2.1.2 < 3", safer-buffer@^2.0.2: 1342 | version "2.1.2" 1343 | resolved "https://registry.yarnpkg.com/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a" 1344 | 1345 | semver@^5.3.0: 1346 | version "5.4.1" 1347 | resolved "https://registry.yarnpkg.com/semver/-/semver-5.4.1.tgz#e059c09d8571f0540823733433505d3a2f00b18e" 1348 | 1349 | semver@~5.0.1: 1350 | version "5.0.3" 1351 | resolved "https://registry.yarnpkg.com/semver/-/semver-5.0.3.tgz#77466de589cd5d3c95f138aa78bc569a3cb5d27a" 1352 | 1353 | send@0.17.1: 1354 | version "0.17.1" 1355 | resolved "https://registry.yarnpkg.com/send/-/send-0.17.1.tgz#c1d8b059f7900f7466dd4938bdc44e11ddb376c8" 1356 | dependencies: 1357 | debug "2.6.9" 1358 | depd "~1.1.2" 1359 | destroy "~1.0.4" 1360 | encodeurl "~1.0.2" 1361 | escape-html "~1.0.3" 1362 | etag "~1.8.1" 1363 | fresh "0.5.2" 1364 | http-errors "~1.7.2" 1365 | mime "1.6.0" 1366 | ms "2.1.1" 1367 | on-finished "~2.3.0" 1368 | range-parser "~1.2.1" 1369 | statuses "~1.5.0" 1370 | 1371 | serve-static@1.14.1: 1372 | version "1.14.1" 1373 | resolved "https://registry.yarnpkg.com/serve-static/-/serve-static-1.14.1.tgz#666e636dc4f010f7ef29970a88a674320898b2f9" 1374 | dependencies: 1375 | encodeurl "~1.0.2" 1376 | escape-html "~1.0.3" 1377 | parseurl "~1.3.3" 1378 | send "0.17.1" 1379 | 1380 | setprototypeof@1.1.1: 1381 | version "1.1.1" 1382 | resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.1.1.tgz#7e95acb24aa92f5885e0abef5ba131330d4ae683" 1383 | 1384 | shebang-command@^1.2.0: 1385 | version "1.2.0" 1386 | resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-1.2.0.tgz#44aac65b695b03398968c39f363fee5deafdf1ea" 1387 | dependencies: 1388 | shebang-regex "^1.0.0" 1389 | 1390 | shebang-regex@^1.0.0: 1391 | version "1.0.0" 1392 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-1.0.0.tgz#da42f49740c0b42db2ca9728571cb190c98efea3" 1393 | 1394 | signal-exit@^3.0.2: 1395 | version "3.0.2" 1396 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.2.tgz#b5fdc08f1287ea1178628e415e25132b73646c6d" 1397 | 1398 | slice-ansi@1.0.0: 1399 | version "1.0.0" 1400 | resolved "https://registry.yarnpkg.com/slice-ansi/-/slice-ansi-1.0.0.tgz#044f1a49d8842ff307aad6b505ed178bd950134d" 1401 | dependencies: 1402 | is-fullwidth-code-point "^2.0.0" 1403 | 1404 | source-map@^0.6.1, source-map@~0.6.1: 1405 | version "0.6.1" 1406 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.6.1.tgz#74722af32e9614e9c287a8d0bbde48b5e2f1a263" 1407 | 1408 | source-map@~0.2.0: 1409 | version "0.2.0" 1410 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.2.0.tgz#dab73fbcfc2ba819b4de03bd6f6eaa48164b3f9d" 1411 | dependencies: 1412 | amdefine ">=0.0.4" 1413 | 1414 | sprintf-js@~1.0.2: 1415 | version "1.0.3" 1416 | resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.0.3.tgz#04e6926f662895354f3dd015203633b857297e2c" 1417 | 1418 | sshpk@^1.7.0: 1419 | version "1.16.0" 1420 | resolved "https://registry.yarnpkg.com/sshpk/-/sshpk-1.16.0.tgz#1d4963a2fbffe58050aa9084ca20be81741c07de" 1421 | dependencies: 1422 | asn1 "~0.2.3" 1423 | assert-plus "^1.0.0" 1424 | bcrypt-pbkdf "^1.0.0" 1425 | dashdash "^1.12.0" 1426 | ecc-jsbn "~0.1.1" 1427 | getpass "^0.1.1" 1428 | jsbn "~0.1.0" 1429 | safer-buffer "^2.0.2" 1430 | tweetnacl "~0.14.0" 1431 | 1432 | "statuses@>= 1.5.0 < 2", statuses@~1.5.0: 1433 | version "1.5.0" 1434 | resolved "https://registry.yarnpkg.com/statuses/-/statuses-1.5.0.tgz#161c7dac177659fd9811f43771fa99381478628c" 1435 | 1436 | stream-consume@^0.1.0: 1437 | version "0.1.0" 1438 | resolved "https://registry.yarnpkg.com/stream-consume/-/stream-consume-0.1.0.tgz#a41ead1a6d6081ceb79f65b061901b6d8f3d1d0f" 1439 | 1440 | string-width@^2.1.0, string-width@^2.1.1: 1441 | version "2.1.1" 1442 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-2.1.1.tgz#ab93f27a8dc13d28cac815c462143a6d9012ae9e" 1443 | dependencies: 1444 | is-fullwidth-code-point "^2.0.0" 1445 | strip-ansi "^4.0.0" 1446 | 1447 | string_decoder@~1.0.0: 1448 | version "1.0.2" 1449 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.0.2.tgz#b29e1f4e1125fa97a10382b8a533737b7491e179" 1450 | dependencies: 1451 | safe-buffer "~5.0.1" 1452 | 1453 | strip-ansi@^3.0.0: 1454 | version "3.0.1" 1455 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-3.0.1.tgz#6a385fb8853d952d5ff05d0e8aaf94278dc63dcf" 1456 | dependencies: 1457 | ansi-regex "^2.0.0" 1458 | 1459 | strip-ansi@^4.0.0: 1460 | version "4.0.0" 1461 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-4.0.0.tgz#a8479022eb1ac368a871389b635262c505ee368f" 1462 | dependencies: 1463 | ansi-regex "^3.0.0" 1464 | 1465 | strip-indent@^2.0.0: 1466 | version "2.0.0" 1467 | resolved "https://registry.yarnpkg.com/strip-indent/-/strip-indent-2.0.0.tgz#5ef8db295d01e6ed6cbf7aab96998d7822527b68" 1468 | 1469 | strip-json-comments@~2.0.1: 1470 | version "2.0.1" 1471 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-2.0.1.tgz#3c531942e908c2697c0ec344858c286c7ca0a60a" 1472 | 1473 | supports-color@^2.0.0: 1474 | version "2.0.0" 1475 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-2.0.0.tgz#535d045ce6b6363fa40117084629995e9df324c7" 1476 | 1477 | supports-color@^3.1.0: 1478 | version "3.2.3" 1479 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-3.2.3.tgz#65ac0504b3954171d8a64946b2ae3cbb8a5f54f6" 1480 | dependencies: 1481 | has-flag "^1.0.0" 1482 | 1483 | supports-color@^4.0.0: 1484 | version "4.5.0" 1485 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-4.5.0.tgz#be7a0de484dec5c5cddf8b3d59125044912f635b" 1486 | dependencies: 1487 | has-flag "^2.0.0" 1488 | 1489 | table@^4.0.1: 1490 | version "4.0.2" 1491 | resolved "https://registry.yarnpkg.com/table/-/table-4.0.2.tgz#a33447375391e766ad34d3486e6e2aedc84d2e36" 1492 | dependencies: 1493 | ajv "^5.2.3" 1494 | ajv-keywords "^2.1.0" 1495 | chalk "^2.1.0" 1496 | lodash "^4.17.4" 1497 | slice-ansi "1.0.0" 1498 | string-width "^2.1.1" 1499 | 1500 | text-table@~0.2.0: 1501 | version "0.2.0" 1502 | resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4" 1503 | 1504 | through@^2.3.6: 1505 | version "2.3.8" 1506 | resolved "https://registry.yarnpkg.com/through/-/through-2.3.8.tgz#0dd4c9ffaabc357960b1b724115d7e0e86a2e1f5" 1507 | 1508 | tmp@^0.0.33: 1509 | version "0.0.33" 1510 | resolved "https://registry.yarnpkg.com/tmp/-/tmp-0.0.33.tgz#6d34335889768d21b2bcda0aa277ced3b1bfadf9" 1511 | dependencies: 1512 | os-tmpdir "~1.0.2" 1513 | 1514 | toidentifier@1.0.0: 1515 | version "1.0.0" 1516 | resolved "https://registry.yarnpkg.com/toidentifier/-/toidentifier-1.0.0.tgz#7e1be3470f1e77948bc43d94a3c8f4d7752ba553" 1517 | 1518 | tough-cookie@~2.5.0: 1519 | version "2.5.0" 1520 | resolved "https://registry.yarnpkg.com/tough-cookie/-/tough-cookie-2.5.0.tgz#cd9fb2a0aa1d5a12b473bd9fb96fa3dcff65ade2" 1521 | dependencies: 1522 | psl "^1.1.28" 1523 | punycode "^2.1.1" 1524 | 1525 | tryit@^1.0.1: 1526 | version "1.0.3" 1527 | resolved "https://registry.yarnpkg.com/tryit/-/tryit-1.0.3.tgz#393be730a9446fd1ead6da59a014308f36c289cb" 1528 | 1529 | tunnel-agent@^0.6.0: 1530 | version "0.6.0" 1531 | resolved "https://registry.yarnpkg.com/tunnel-agent/-/tunnel-agent-0.6.0.tgz#27a5dea06b36b04a0a9966774b290868f0fc40fd" 1532 | dependencies: 1533 | safe-buffer "^5.0.1" 1534 | 1535 | tweetnacl@^0.14.3, tweetnacl@~0.14.0: 1536 | version "0.14.5" 1537 | resolved "https://registry.yarnpkg.com/tweetnacl/-/tweetnacl-0.14.5.tgz#5ae68177f192d4456269d108afa93ff8743f4f64" 1538 | 1539 | type-check@~0.3.2: 1540 | version "0.3.2" 1541 | resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.3.2.tgz#5884cab512cf1d355e3fb784f30804b2b520db72" 1542 | dependencies: 1543 | prelude-ls "~1.1.2" 1544 | 1545 | type-is@~1.6.17, type-is@~1.6.18: 1546 | version "1.6.18" 1547 | resolved "https://registry.yarnpkg.com/type-is/-/type-is-1.6.18.tgz#4e552cd05df09467dcbc4ef739de89f2cf37c131" 1548 | dependencies: 1549 | media-typer "0.3.0" 1550 | mime-types "~2.1.24" 1551 | 1552 | typedarray@^0.0.6: 1553 | version "0.0.6" 1554 | resolved "https://registry.yarnpkg.com/typedarray/-/typedarray-0.0.6.tgz#867ac74e3864187b1d3d47d996a78ec5c8830777" 1555 | 1556 | uglify-js@^3.1.4: 1557 | version "3.8.1" 1558 | resolved "https://registry.yarnpkg.com/uglify-js/-/uglify-js-3.8.1.tgz#43bb15ce6f545eaa0a64c49fd29375ea09fa0f93" 1559 | dependencies: 1560 | commander "~2.20.3" 1561 | source-map "~0.6.1" 1562 | 1563 | unpipe@1.0.0, unpipe@~1.0.0: 1564 | version "1.0.0" 1565 | resolved "https://registry.yarnpkg.com/unpipe/-/unpipe-1.0.0.tgz#b2bf4ee8514aae6165b4817829d21b2ef49904ec" 1566 | 1567 | uri-js@^4.2.2: 1568 | version "4.2.2" 1569 | resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.2.2.tgz#94c540e1ff772956e2299507c010aea6c8838eb0" 1570 | dependencies: 1571 | punycode "^2.1.0" 1572 | 1573 | util-deprecate@~1.0.1: 1574 | version "1.0.2" 1575 | resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf" 1576 | 1577 | util@^0.10.3: 1578 | version "0.10.3" 1579 | resolved "https://registry.yarnpkg.com/util/-/util-0.10.3.tgz#7afb1afe50805246489e3db7fe0ed379336ac0f9" 1580 | dependencies: 1581 | inherits "2.0.1" 1582 | 1583 | utils-merge@1.0.1: 1584 | version "1.0.1" 1585 | resolved "https://registry.yarnpkg.com/utils-merge/-/utils-merge-1.0.1.tgz#9f95710f50a267947b2ccc124741c1028427e713" 1586 | 1587 | uuid@^3.3.2: 1588 | version "3.3.2" 1589 | resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.3.2.tgz#1b4af4955eb3077c501c23872fc6513811587131" 1590 | 1591 | vary@~1.1.2: 1592 | version "1.1.2" 1593 | resolved "https://registry.yarnpkg.com/vary/-/vary-1.1.2.tgz#2299f02c6ded30d4a5961b0b9f74524a18f634fc" 1594 | 1595 | verror@1.3.6: 1596 | version "1.3.6" 1597 | resolved "https://registry.yarnpkg.com/verror/-/verror-1.3.6.tgz#cff5df12946d297d2baaefaa2689e25be01c005c" 1598 | dependencies: 1599 | extsprintf "1.0.2" 1600 | 1601 | which@^1.1.1: 1602 | version "1.2.14" 1603 | resolved "https://registry.yarnpkg.com/which/-/which-1.2.14.tgz#9a87c4378f03e827cecaf1acdf56c736c01c14e5" 1604 | dependencies: 1605 | isexe "^2.0.0" 1606 | 1607 | which@^1.2.9: 1608 | version "1.3.0" 1609 | resolved "https://registry.yarnpkg.com/which/-/which-1.3.0.tgz#ff04bdfc010ee547d780bec38e1ac1c2777d253a" 1610 | dependencies: 1611 | isexe "^2.0.0" 1612 | 1613 | wordwrap@^1.0.0, wordwrap@~1.0.0: 1614 | version "1.0.0" 1615 | resolved "https://registry.yarnpkg.com/wordwrap/-/wordwrap-1.0.0.tgz#27584810891456a4171c8d0226441ade90cbcaeb" 1616 | 1617 | wrappy@1: 1618 | version "1.0.2" 1619 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" 1620 | 1621 | write@^0.2.1: 1622 | version "0.2.1" 1623 | resolved "https://registry.yarnpkg.com/write/-/write-0.2.1.tgz#5fc03828e264cea3fe91455476f7a3c566cb0757" 1624 | dependencies: 1625 | mkdirp "^0.5.1" 1626 | 1627 | yallist@^2.1.2: 1628 | version "2.1.2" 1629 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-2.1.2.tgz#1c11f9218f076089a47dd512f93c6699a6a81d52" 1630 | --------------------------------------------------------------------------------