├── .eslintrc.js ├── .gitignore ├── README.md ├── handlers ├── firstFollow.js ├── lexicalAnalysis.js ├── parser.md ├── syntaxAnalysis.js └── tst │ ├── TST.md │ ├── output │ ├── test_0 │ ├── test_1 │ └── test_2 │ ├── runTest.js │ ├── test.txt │ └── tst.js ├── index.js ├── package.json ├── test1.txt ├── test2.txt ├── utils ├── CFG.js ├── errorHelper.js ├── grammar.js ├── lexicalRegex.js ├── reservedWords.txt └── specialSymbol.js └── yarn.lock /.eslintrc.js: -------------------------------------------------------------------------------- 1 | module.exports = { 2 | "extends": "airbnb-base" 3 | }; -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | node_modules/ 2 | .DS_Store 3 | *.DS_Store 4 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | 2 | # Compilador em Javascript P/ COMP-NA8 2017 3 | 4 | ### Config 5 | ```bash 6 | npm install -g yarn 7 | ``` 8 | 9 | ### Executar 10 | ```bash 11 | 12 | # Instalar dependencias 13 | yarn 14 | 15 | # Tst test 16 | yarn run test:tst 17 | 18 | # Run Compiler 19 | yarn run c 20 | 21 | # Especifying test file 22 | yarn config set file test1 23 | 24 | ``` 25 | -------------------------------------------------------------------------------- /handlers/firstFollow.js: -------------------------------------------------------------------------------- 1 | import { map, addIndex, reduce, concat } from 'ramda'; 2 | 3 | import { EOF, LAMBDA } from '../utils/specialSymbol'; 4 | import grammar from '../utils/grammar'; 5 | 6 | 7 | // Conjuntos de first e follow 8 | let firstSets = {}; 9 | let followSets = {}; 10 | 11 | // Se recebe S -> A retorna S 12 | const getLHS = production => production.split('->')[0].replace(/\s+/g, ''); 13 | // Se recebe S -> A retorna A 14 | const getRHS = production => production.split('->')[1].replace(/\s+/g, ''); 15 | 16 | const buildSet = builder => map(production => builder(production[0]), grammar); 17 | 18 | const buildFirstSets = () => { 19 | firstSets = {}; 20 | return buildSet(firstOf); 21 | }; 22 | 23 | const buildFollowSets = () => { 24 | followSets = {}; 25 | return buildSet(followOf); 26 | }; 27 | 28 | const isTerminal = symbol => !/[A-Z]/.test(symbol); 29 | 30 | const merge = (to, from, exclude = []) => 31 | addIndex(map)( 32 | (item, index) => (exclude.indexOf(index) === -1 ? item : to[index]), 33 | from, 34 | ); 35 | 36 | const firstOf = (symbol) => { 37 | if (firstSets[symbol]) firstSets[symbol]; 38 | 39 | let first = (firstSets[symbol] = {}); 40 | 41 | if (isTerminal(symbol)) { 42 | first[symbol] = true; 43 | return firstSets[symbol]; 44 | } 45 | 46 | const productionsForSymbol = getProductionsBySymbol(symbol); 47 | const rightProductions = map(getRHS, productionsForSymbol); 48 | map((productionSymbol) => { 49 | if (productionSymbol === LAMBDA) { 50 | first[LAMBDA] = true; 51 | } else { 52 | const firstOfNonTerminal = firstOf(productionSymbol); 53 | if (!firstOfNonTerminal[LAMBDA]) { 54 | first = merge(first, firstOfNonTerminal); 55 | } else { 56 | first = merge(first, firstOfNonTerminal, [LAMBDA]); 57 | } 58 | } 59 | }, rightProductions); 60 | return first; 61 | }; 62 | 63 | function getProductionsBySymbol(symbol) { 64 | let productionsForSymbol = {}; 65 | for (let k in grammar) { 66 | if (grammar[k][0] === symbol) { 67 | productionsForSymbol[k] = grammar[k]; 68 | } 69 | } 70 | return productionsForSymbol; 71 | } 72 | 73 | const followOf = (symbol) => { 74 | if (followSets[symbol]) return followSets[symbol]; 75 | 76 | let follow = (followSets[symbol] = {}); 77 | 78 | if (symbol === EOF) { 79 | follow[EOF] = true; 80 | } 81 | 82 | const productionsWithSymbol = getProductionsWithSymbol(symbol); 83 | map((productionSymbol) => { 84 | let newFollow; 85 | const rightProduction = getRHS(productionsWithSymbol); 86 | if (rightProduction.length === 1) { // {$} 87 | const LHS = getLHS(productionSymbol); 88 | if (LHS !== productionSymbol) { // To avoid cases like: B -> aB 89 | newFollow = merge(follow, followOf(LHS)); 90 | } 91 | } 92 | const symbolIndex = rightProduction.indexOf(symbol); 93 | const followIndex = symbolIndex + 1; 94 | const followSymbol = rightProduction[followIndex]; 95 | const firstOfFollow = firstOf(followSymbol); 96 | if (!firstOfFollow[LAMBDA]) { 97 | newFollow = merge(follow, firstOfFollow); 98 | } 99 | newFollow = merge(follow, firstOfFollow, [LAMBDA]); 100 | return newFollow; 101 | }, productionsWithSymbol); 102 | 103 | return follow; 104 | }; 105 | 106 | const getProductionsWithSymbol = (symbol) => { 107 | return reduce( 108 | (acc, production) => { 109 | const RHS = getRHS(production); 110 | return RHS.includes(symbol) 111 | ? concat(acc, [production]) 112 | : acc; 113 | }, 114 | [], 115 | grammar, 116 | ); 117 | }; 118 | 119 | export default { buildFirstSets, buildFollowSets }; 120 | -------------------------------------------------------------------------------- /handlers/lexicalAnalysis.js: -------------------------------------------------------------------------------- 1 | import { 2 | contains, 3 | curry, 4 | find, 5 | filter, 6 | map, 7 | pipe, 8 | propEq, 9 | reduce, 10 | addIndex, 11 | } from 'ramda'; 12 | // import { promisify } from 'util'; 13 | // import fs from 'fs'; 14 | 15 | import tst from './tst/tst'; 16 | import regexObj from '../utils/lexicalRegex'; 17 | import errorHelper from '../utils/errorHelper'; 18 | 19 | // Separa em linhas 20 | const splitReaderToLines = content => content.toString().split('\n'); 21 | 22 | // to_char() 23 | const toChar = content => map(line => line.split(' '))(content); 24 | 25 | 26 | const checkTypeOfReserved = value => value.match('[a-zA-Z]+') ? 'WORD' : 'SIMBOL'; 27 | 28 | // const getReservedItens = () => { 29 | // return promisify(fs.readFile)('./utils/reservedWords.txt'); 30 | // }; 31 | 32 | const checkIfReserved = (value, table) => { 33 | const filteredValue = 34 | value[0] === '#' || value[0] === '@' ? value.slice(1) : value; 35 | const tstIndex = table.actionTable('C', filteredValue); 36 | const type = !!~tstIndex ? checkTypeOfReserved(filteredValue) : null; 37 | return { type, tst: tstIndex }; 38 | }; 39 | 40 | // Pega o tipo do token por regex 41 | const getTypeByRegex = (item) => { 42 | const checkedByRegex = reduce((acc, regex) => { 43 | return item.match(regex) ? regexObj[regex] : acc; 44 | }, null)(Object.keys(regexObj)); 45 | 46 | return checkedByRegex; 47 | }; 48 | 49 | // ler_simbolo() 50 | // Gera token 51 | const readSimbol = (item, line, table) => 52 | addIndex(map)((char, index) => { 53 | const typeOfChar = getTypeByRegex(char); 54 | const checkedReserved = checkIfReserved(char, table); 55 | const type = checkedReserved.type || typeOfChar; 56 | const position = `${line}:${index}`; 57 | const token = { 58 | value: char, 59 | type, 60 | tst: checkedReserved.tst, 61 | position, 62 | }; 63 | return errorHelper.lexRegex(char, type, position) || token; 64 | })(item); 65 | 66 | const generateToken = (filteredline, lineIndex, table) => { 67 | const token = readSimbol(filteredline, lineIndex, table); 68 | return token; 69 | }; 70 | 71 | const removeTabsAndLF = arr => 72 | filter(token => token.type !== ('LF' || 'tab'))(arr); 73 | 74 | const filterSpaces = arr => arr.filter(item => item !== ''); 75 | // const filterSpaces = arr => arr.filter((item, i, arr) => arr[i - 1] !== ' ' || item !== ' '); 76 | 77 | const filterSingleComments = (arr) => { 78 | const index = arr.indexOf('//'); 79 | return !!~index ? arr.splice(0, index) : arr; 80 | }; 81 | 82 | const filterLine = line => pipe(filterSpaces, removeTabsAndLF, filterSingleComments)(line); 83 | 84 | const tokenize = (arr, table) => 85 | addIndex(reduce)( 86 | (acc, line, lineIndex) => { 87 | // começa processo de ler simbolos 88 | if (contains('%{', line)) { 89 | acc.deps = ' %{'; 90 | const index = arr.indexOf('%{'); 91 | } 92 | if (contains('%}', line)) { 93 | acc.deps === '%{' 94 | ? (acc.deps = null) 95 | : errorHelper.lexError('%}', 'comment', `${lineIndex}`); 96 | } 97 | const filteredline = filterLine(line); 98 | 99 | const tokenAcc = { 100 | tokens: [generateToken(filteredline, lineIndex, table), ...acc.tokens], 101 | deps: acc.deps, 102 | }; 103 | return tokenAcc; 104 | }, 105 | { tokens: [], deps: null }, 106 | )(arr).tokens; 107 | 108 | const flatToken = lines => [].concat(...lines); 109 | 110 | const readLines = async (info, arr) => { 111 | const table = await tst.createPopulatedTable(); 112 | const tokenizer = tokenize(arr, table); 113 | 114 | const tokens = flatToken(tokenizer); 115 | info === '#list_tst' && table.printTable(); 116 | 117 | const lexError = find(propEq('error', true))(tokens); 118 | lexError || errorHelper.successPrinter('léxicos'); 119 | return lexError ? { error: 'lexical' } : { tokens, table }; 120 | }; 121 | 122 | const lexan = (info, file) => { 123 | return pipe(splitReaderToLines, toChar, curry(readLines)(info))(file); 124 | }; 125 | 126 | export default curry(lexan); 127 | -------------------------------------------------------------------------------- /handlers/parser.md: -------------------------------------------------------------------------------- 1 | 2 | ## Analise Lexica 3 | Recebe codigo puro e os separa em tokens a partir da função **tokenizer** 4 | *Lexical Analysis* takes the raw code and splits it apart into these things 5 | 6 | Tokens são um array de objetos que descrevem um pedaço de syntax. Podendo ser numeros, pontuação, operadores, etc 7 | 8 | ### Codigo => Analise Lexica => Tokens 9 | 10 | ## Analise Sintatica 11 | Recebe token e reformata em represetações em arvore chamadas AST(Abstract Syntax Tree) que descreve a relação de uma parte de syntax com a outra com objetos nesteados. 12 | 13 | ### Tokens => Analise Sintatica => AST's 14 | 15 | 16 | Adicionar simbolos Other 17 | adicionar simbolos RESERVADO 18 | 19 | Observação: 20 | i) A função next_char() é responsável por entregar o próximo símbolo da cadeia de 21 | entrada e fazer o mapeamento do símbolo para os simbólicos LETRA, DIGITO, 22 | BARRA, ASTERISCO, PONTO e EOF repassando-os ao programa que trata o AEF 23 | ii) Significado das constantes simbólicas: 24 | LETRA: a..z, A..Z e (underscore) 25 | DIGITO: 0 a 9. 26 | ASTERISCO: * 27 | PONTO: . 28 | EOF: Quando acabar a cadeia de entrada, a função next_char(*) devolve o inteiro 29 | representado por EOF. 30 | iii) A função erro(), entre outras coisas, altera a variável ERRO para verdadeiro. 31 | iv) A função aceita(), entre outras coisas, altera a variável ACEITA para verdadeiro. 32 | 33 | Se um estado é final, verificar a condição de fim de cadeia; 34 | ii) Se existe transição do tipo “other”, não colocar teste de erro; 35 | iii) Se existe aresta cíclica, não há necessidade de atualizar o estado 36 | -------------------------------------------------------------------------------- /handlers/syntaxAnalysis.js: -------------------------------------------------------------------------------- 1 | import { append, curry, dropLast, map, reduce, propEq, addIndex } from 'ramda'; 2 | 3 | import errorHelper from '../utils/errorHelper'; 4 | import { EOF, LAMBDA } from '../utils/specialSymbol'; 5 | import sets from './firstFollow'; 6 | import S from '../utils/CFG'; 7 | import TNT from './tst/tst'; 8 | 9 | const stack = (symbol, arr) => append({ value: symbol.value, type: symbol.type }, arr); 10 | const pop = arr => dropLast(1, arr); 11 | const getTop = arr => arr[-1]; 12 | // 1 para terminal, 0 para não terminal 13 | const isTerminal = symbol => symbol == ('SIMBOL' || 'WORD') ? 1 : 0; 14 | const isEOF = tgrf => getTop(tgrf.registry) === EOF; 15 | const isLambda = symbol => symbol === LAMBDA; 16 | 17 | const rotSemantic = () => {}; 18 | const grafoAlt = () => {}; 19 | 20 | const topDown = (obj) => { 21 | const tables = { TST: obj.table, TNT: TNT.hashTable() }; 22 | const TGRFTabled = curry(TGRF)(tables); 23 | const tgrf = reduce(TGRFTabled, { 24 | registry: [EOF], 25 | itgrf: -1, 26 | accepted: false, 27 | itgrfErro: -1, // Apontador pro nó da lista de tokens em erro 28 | }, obj.tokens); 29 | console.log(tgrf); 30 | console.log(sets.buildFirstSets()); 31 | console.log(sets.buildFollowSets()); 32 | }; 33 | 34 | const constructParsingTable = () => {}; 35 | 36 | const parser = tokenObj => propEq('error', 'lexical')(tokenObj) ? tokenObj : topDown(tokenObj); 37 | 38 | // table => tst tnt 39 | // registry => ADT 40 | // token => cadeia 41 | // itgrf => aponta pro nó corrente 42 | const TGRF = (tables, acc, token) => { 43 | let lookahead = token.value; 44 | if (!isEOF(acc)) { 45 | if (isLambda(token.value)) { 46 | rotSemantic(); 47 | acc.itgrfErro = token.tst; 48 | } else { 49 | if (isTerminal(token.type)) { 50 | acc.itgrf = token.tst; 51 | if (lookahead === token.value) { 52 | rotSemantic(acc); 53 | acc.itgrfErro = token.tst; 54 | lookahead = token.value 55 | } else { 56 | grafoAlt() || errorHelper.syntaxError(token.position, `Erro sintático em ${token.value}`) 57 | } 58 | } else { 59 | acc.registry = stack(token, acc.registry); 60 | tables.TNT.actionTable('I', token.value); 61 | } 62 | } 63 | } else { 64 | if (acc.registry.length > 1) { 65 | acc.registry = pop(acc.registry); 66 | rotSemantic(); 67 | } else { 68 | acc.accepted = (isEOF(acc)) ? acc : { erro: 1 }; 69 | } 70 | } 71 | return acc; 72 | }; 73 | 74 | export default parser; 75 | -------------------------------------------------------------------------------- /handlers/tst/TST.md: -------------------------------------------------------------------------------- 1 | ## Funções: 2 | - grava_TST_binario 3 | - le_tst_binario 4 | - imprime_tst 5 | 6 | ## Programa principal 7 | ### Parametros: 8 | - Nome do arquivo com os simbolos 9 | - Nome do arquivo para teste de consulta 10 | - Nome do arquivo que contém a TST 11 | - Nome do arquivo de mensagem(SAÍDA) - imprime log e tst 12 | 13 | ## Cenário de testes 14 | - Repetir 10 linhas aleatoriamente no arquivo de entrada 15 | - P/ cada linha do arquivo chama a função 16 | - Consulta insere com opção I e Debug ativado 17 | - Grava em binário 18 | - Reinicializa o TST 19 | - Le um binario 20 | - Tenta com as opções de consulta com os dados contidos no arquivo do 2 parametro 21 | - Imprime TST 22 | 23 | 24 | ## Tokens Especiais 25 | 2n -> (IDENT, -1) 26 | 2n + 1 -> (NUMBER, -1) 27 | 2n + 2 -> (FLOAT, -1) 28 | 2n + 3 -> (ALFA, -1) 29 | 2n + 4 -> (EOF, -1) 30 | 31 | ## TODO 32 | [x] Se debug == 's imprime: Simbolo, Hashing, Posição, Ação 33 | [x] grava_TST_binario: grava tst no formato binário com uma unica operação(fwrite), serializa 34 | a estrutura do disco 35 | [x] le_tst_binario: inversa da primeira, fread 36 | [x] imprime_tst: para fim de depuração 37 | [x] Hashmap 38 | [x] Função consulta insere: simbolo, ação(consulta ou inserção), debug("break", retrieve or insert, debug) 39 | [x] Função de inserção, retorna sempre a posição 40 | [x] Função de consulta, sempre retorna posição ou -1 41 | [x] Teste 42 | -------------------------------------------------------------------------------- /handlers/tst/output/test_0: -------------------------------------------------------------------------------- 1 | {} -------------------------------------------------------------------------------- /handlers/tst/output/test_1: -------------------------------------------------------------------------------- 1 | {} -------------------------------------------------------------------------------- /handlers/tst/output/test_2: -------------------------------------------------------------------------------- 1 | {} -------------------------------------------------------------------------------- /handlers/tst/runTest.js: -------------------------------------------------------------------------------- 1 | import test from './tst'; 2 | 3 | test(); 4 | -------------------------------------------------------------------------------- /handlers/tst/test.txt: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/anabastos/compilerJS/32a3e613fbd49f6db5d07a598c33454196167112/handlers/tst/test.txt -------------------------------------------------------------------------------- /handlers/tst/tst.js: -------------------------------------------------------------------------------- 1 | import fs from 'fs'; 2 | import { promisify } from 'util'; 3 | 4 | const N = 62; 5 | 6 | const hashTable = (debug = 'N') => { 7 | let table = []; 8 | 9 | // Checa se Debug está ativado 10 | const checkDebug = (key, table, hash, action) => 11 | debug === 'N' || console.log(`Simbolo:${key} Hashing:${hash} Posição:${hash} Ação:${action}`); 12 | 13 | // Cria hash 14 | const createHashIndex = (key, colision = 0) => { 15 | let hash = 0; 16 | for (let i = 0; i < key.length; i++) { 17 | hash = (hash << 5) - hash + key.charCodeAt(i); 18 | hash = hash >>> 0; 19 | } 20 | return colision === 0 ? Math.abs(hash % N) : N + Math.abs(hash % (2 * N)); 21 | }; 22 | 23 | // Adiciona na area de colisão 24 | const addToColisionArea = (hash, key) => { 25 | const colisionHash = createHashIndex(key, 1); 26 | table[hash].colision = colisionHash; 27 | table[colisionHash] = { simbol: key, colision: -1 }; 28 | return colisionHash; 29 | }; 30 | 31 | // Função que pega recursivamente o valor na table 32 | const get = (key) => { 33 | const value = table[key]; 34 | if (!value) return -1; 35 | return value.colision === -1 ? get(value.colision) : key; 36 | }; 37 | 38 | // Consulta 39 | const retrieve = (key) => { 40 | const hashIndex = get(createHashIndex(key)); 41 | checkDebug(key, table, hashIndex, 'Consulta'); 42 | return hashIndex; 43 | }; 44 | 45 | // Inserção 46 | const insert = (key) => { 47 | let hash = createHashIndex(key); 48 | table[hash] 49 | ? (hash = addToColisionArea(retrieve(key), key)) 50 | : (table[hash] = { simbol: key, colision: hash }); 51 | checkDebug(key, table, hash, 'Inserção'); 52 | return hash; 53 | }; 54 | return { 55 | // Reinicializa hashtable 56 | resetTable: (value = []) => (table = value), 57 | // imprime_tst: para fins de depuração 58 | printTable: () => console.log(table), 59 | // Faz ação 60 | actionTable: (action, key) => (action === 'I' ? insert(key) : retrieve(key)), 61 | }; 62 | }; 63 | 64 | const readFilePromisified = async path => promisify(fs.readFile)(path); 65 | 66 | // grava_TST_binario 67 | // cria arquivo de binario da table 68 | const convertToBinary = (table, pathName) => 69 | promisify(fs.writeFile)(pathName, JSON.stringify(table), 'utf16le'); 70 | 71 | // le_tst_binario 72 | const readFromBinary = async path => readFilePromisified(path); 73 | 74 | const createPopulatedTable = async () => { 75 | const table = hashTable(); 76 | const reservedItems = await readFilePromisified('./utils/reservedWords.txt'); 77 | reservedItems.toString().split('\n').map(char => table.actionTable('I', char)); 78 | return table; 79 | }; 80 | 81 | const test = () => { 82 | const tableTest = hashTable('S'); 83 | const fileTest = ['<<', 'b', '+', '<']; 84 | fileTest.map((item, index) => lineTest(tableTest, item, index)); 85 | 86 | // Tenta com as opções de consulta com os dados contidos no arquivo do 2 parametro \/ 87 | // le e insere na table um arquivo de binario 88 | readFromBinary(`${__dirname}/output/test_1`).then((table) => { 89 | tableTest.resetTable(table.toString('utf8')); 90 | tableTest.actionTable('C', 'b'); 91 | tableTest.printTable(); 92 | }); 93 | }; 94 | 95 | const lineTest = (table, item, index) => { 96 | table.actionTable('I', item); 97 | convertToBinary(table, `${__dirname}/output/test_${index}`); 98 | table.resetTable(); 99 | }; 100 | 101 | export default { 102 | readFromBinary, 103 | hashTable, 104 | test, 105 | createPopulatedTable, 106 | }; 107 | -------------------------------------------------------------------------------- /index.js: -------------------------------------------------------------------------------- 1 | import { rainbow, bgCyan, bold, random } from 'colors'; 2 | import { curry } from 'ramda'; 3 | import { promisify } from 'util'; 4 | import fs from 'fs'; 5 | 6 | import lexan from './handlers/lexicalAnalysis'; 7 | import parser from './handlers/syntaxAnalysis'; 8 | import tst from './handlers/tst/tst'; 9 | 10 | console.log(bold('COMP NA8 - PUC SP 2017')); 11 | console.log(' '); 12 | console.log(bgCyan('|-=-=-=-=-=-=-=-|')); 13 | console.log(bgCyan('||') + bold(rainbow('COMPILADOR JS')) + bgCyan('||')); 14 | console.log(bgCyan('|-=-=-=-=-=-=-=-|')); 15 | console.log(bold(random('Iniciando...'))); 16 | console.log(' '); 17 | 18 | const readFile = path => promisify(fs.readFile)(path); 19 | 20 | const logTokens = curry((info, tokens) => { 21 | info === '#list_token_on' && console.log(tokens); 22 | return tokens; 23 | }); 24 | 25 | const compile = (input, info) => { 26 | readFile(input) 27 | .then(lexan(info)) 28 | .then(logTokens(info)) 29 | .then(parser) 30 | .then(console.log) 31 | .catch(console.error); 32 | }; 33 | 34 | // INFOS: #list_token_on | #list_token_off | #list_tst | #list_tnt | #list_tgrf | 35 | // #list_source_on | #list_source_off 36 | const file = process.env.npm_package_config_file; 37 | console.log(`Compiling ${file}`); 38 | compile(`${file}.txt`, '#list_token_on', 'tst/output/test_1'); 39 | // compile(`${process.env.npm_config_file || 'test2'}.txt`, '#list_token_on', 'tst/output/test_1'); 40 | 41 | console.log(bgCyan('-=-=-=-=-=-=-=-')); 42 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "compiler-js", 3 | "version": "1.0.0", 4 | "description": "", 5 | "main": "index.js", 6 | "scripts": { 7 | "test:tst": "babel-node handlers/tst/runtest", 8 | "c": "babel-node index.js" 9 | }, 10 | "config": { 11 | "file": "test2" 12 | }, 13 | "babel": { 14 | "presets": [ 15 | "babel-preset-es2015", 16 | "babel-preset-stage-2" 17 | ], 18 | "plugins": [ 19 | "transform-pipeline-operator" 20 | ] 21 | }, 22 | "author": "Ana Bastos", 23 | "license": "ISC", 24 | "devDependencies": { 25 | "babel-cli": "^6.26.0", 26 | "babel-plugin-transform-pipeline-operator": "^7.0.0-beta.3", 27 | "babel-preset-es2015": "^6.24.1", 28 | "babel-preset-stage-2": "^6.24.1", 29 | "eslint-config-airbnb-base": "^12.1.0", 30 | "eslint-plugin-import": "^2.8.0" 31 | }, 32 | "dependencies": { 33 | "colors": "^1.1.2", 34 | "eslint": "^4.12.0", 35 | "ramda": "^0.25.0" 36 | } 37 | } 38 | -------------------------------------------------------------------------------- /test1.txt: -------------------------------------------------------------------------------- 1 | ( "ana 8 x // t 2 | "alpha" 3 | if ( ) { } else { 4 | } 5 | @erro 6 | #if 7 | teste %} 8 | 121 + 1.5 # 9 | { } 10 | { 11 | + = >>= -------------------------------------------------------------------------------- /test2.txt: -------------------------------------------------------------------------------- 1 | 121 + 1.5 ; 2 | if true then 10 ; 3 | while false then 10 ; 4 | var lala = 10 ; 5 | -------------------------------------------------------------------------------- /utils/CFG.js: -------------------------------------------------------------------------------- 1 | 2 | const multDiv = ['*', '/']; 3 | const plusMinus = ['+', '-']; 4 | 5 | const ident = 'NT'; 6 | const number = 'NT'; 7 | const comparation = 'NT'; 8 | 9 | const factor = [ 10 | [ident], 11 | [number], 12 | ['(', expression, ')'], 13 | ]; 14 | 15 | const term = [ 16 | [factor], 17 | [factor, multDiv, factor], 18 | ]; 19 | 20 | const expression = [ 21 | [term], 22 | [plusMinus, term], 23 | ]; 24 | 25 | const condition = [ 26 | [expression, comparation, expression], 27 | ]; 28 | 29 | const block = [ 30 | ['var', ident, '=', number, ';'], 31 | ['var', ident, ';'], 32 | [statement, ";"], 33 | ]; 34 | 35 | const statement = [ 36 | ['call', ident], 37 | ['goto', ident], 38 | ['if', condition, 'then', statement], 39 | ['while', condition, 'then', statement], 40 | ['return', expression], 41 | ]; 42 | 43 | const S = block; 44 | 45 | export default S; 46 | -------------------------------------------------------------------------------- /utils/errorHelper.js: -------------------------------------------------------------------------------- 1 | import { red, green } from 'colors'; 2 | 3 | const lexRegex = (char, type, position) => { 4 | const accepted = type !== null; 5 | // accepted 6 | // ? console.log(`Cadeia aceita ${char}`) 7 | // : console.log(`Cadeia rejeitada ${char}`) 8 | const inexistentError = !accepted 9 | ? errorPrinter( 10 | 'Léxico', 11 | position, 12 | `Simbolo ${char} inexistente no alfabeto.` 13 | ) 14 | : null; 15 | const diretivaError = 16 | char[0] === '#' || char[0] === '@' && type !== 'WORD' 17 | ? errorPrinter( 18 | 'Léxico', 19 | position, 20 | `Diretiva de compilação ${char} inexistente..` 21 | ) 22 | : null; 23 | const alphanumericError = 24 | type === 'IDENT' && char.includes('"') 25 | ? errorPrinter( 26 | 'Léxico', 27 | position, 28 | `Constante alfanumerica "${char}" sem encerramento..` 29 | ) 30 | : null; 31 | 32 | const errors = inexistentError || diretivaError || alphanumericError; 33 | return errors; 34 | }; 35 | 36 | const successPrinter = (type) => { 37 | const msg = `Sem erros ${type}, seguindo para próxima fase da compilação!` 38 | console.log(green(msg)) 39 | } 40 | 41 | const errorPrinter = (type, position, error) => { 42 | const msg = `Erro ${type} em ${position} - ${error}`; 43 | console.log(red(msg)); 44 | return { error: true, msg }; 45 | }; 46 | 47 | const lexError = (char, type, position) => { 48 | return errorPrinter('Léxico', position, `Simbolo ${char} sem fechamendo.`); 49 | }; 50 | 51 | const syntaxError = (char, type, position) => { 52 | return errorPrinter('Sintático', position, type); 53 | }; 54 | 55 | export default { 56 | errorPrinter, 57 | successPrinter, 58 | lexRegex, 59 | lexError, 60 | syntaxError, 61 | }; 62 | -------------------------------------------------------------------------------- /utils/grammar.js: -------------------------------------------------------------------------------- 1 | export default [ 2 | 'E -> TX', 3 | 'X -> +TX', 4 | 'X -> λ', 5 | 'T -> FY', 6 | 'Y -> *FY', 7 | 'Y -> λ', 8 | 'F -> a', 9 | 'F -> (E)', 10 | ]; 11 | -------------------------------------------------------------------------------- /utils/lexicalRegex.js: -------------------------------------------------------------------------------- 1 | export default { 2 | '\t': 'tab', // Tabulador 3 | '[ |\s]': 'b', // Espaço 4 | '\n': 'LF', // LineFeed 5 | '[0-9]': 'd', // Digito 6 | '\\.': 'PONTO', 7 | '(%{|%}|\/\/)': 'COMMENT', 8 | '\\*': 'ASTERISCO', 9 | '[a-zA-Z_]': 'l', // A-Z e Underscore 10 | '[-+]?[0-9]': 'NUMBER', 11 | '[a-zA-Z][a-zA-Z0-9]*': 'IDENT', 12 | '[-+]?[0-9]*\\.[0-9]*': 'FLOAT', 13 | '"[a-zA-Z][a-zA-Z0-9]*"': 'ALPHA', 14 | } -------------------------------------------------------------------------------- /utils/reservedWords.txt: -------------------------------------------------------------------------------- 1 | auto 2 | break 3 | case 4 | char 5 | const 6 | continue 7 | default 8 | do 9 | double 10 | else 11 | enum 12 | extern 13 | float 14 | for 15 | goto 16 | if 17 | int 18 | long 19 | register 20 | return 21 | short 22 | signed 23 | sizeof 24 | static 25 | struct 26 | switch 27 | typedef 28 | union 29 | unsigned 30 | void 31 | volatile 32 | while 33 | -= 34 | -> 35 | -- 36 | - 37 | != 38 | ! 39 | %= 40 | % 41 | && 42 | &= 43 | & 44 | *= 45 | * 46 | /= 47 | / 48 | ^= 49 | ^ 50 | || 51 | |= 52 | | 53 | ++ 54 | += 55 | + 56 | <<= 57 | << 58 | <= 59 | < 60 | == 61 | = 62 | >>= 63 | >> 64 | >= 65 | > 66 | ( 67 | ) 68 | , 69 | . 70 | : 71 | ; 72 | ? 73 | [ 74 | ] 75 | { 76 | } 77 | ~ 78 | -------------------------------------------------------------------------------- /utils/specialSymbol.js: -------------------------------------------------------------------------------- 1 | /** 2 | * Simbolo de vazio. Lambda 3 | */ 4 | export const LAMBDA = 'λ'; 5 | 6 | /** 7 | * Fim de input e fim de pilha. Cifrão. 8 | */ 9 | export const EOF = '$'; 10 | -------------------------------------------------------------------------------- /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.1" 7 | resolved "https://registry.yarnpkg.com/abbrev/-/abbrev-1.1.1.tgz#f8f2c887ad10bf67f634f005b6987fed3179aac8" 8 | 9 | acorn-jsx@^3.0.0: 10 | version "3.0.1" 11 | resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-3.0.1.tgz#afdf9488fb1ecefc8348f6fb22f464e32a58b36b" 12 | dependencies: 13 | acorn "^3.0.4" 14 | 15 | acorn@^3.0.4: 16 | version "3.3.0" 17 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-3.3.0.tgz#45e37fb39e8da3f25baee3ff5369e2bb5f22017a" 18 | 19 | acorn@^5.2.1: 20 | version "5.2.1" 21 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-5.2.1.tgz#317ac7821826c22c702d66189ab8359675f135d7" 22 | 23 | ajv-keywords@^2.1.0: 24 | version "2.1.1" 25 | resolved "https://registry.yarnpkg.com/ajv-keywords/-/ajv-keywords-2.1.1.tgz#617997fc5f60576894c435f940d819e135b80762" 26 | 27 | ajv@^4.9.1: 28 | version "4.11.8" 29 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-4.11.8.tgz#82ffb02b29e662ae53bdc20af15947706739c536" 30 | dependencies: 31 | co "^4.6.0" 32 | json-stable-stringify "^1.0.1" 33 | 34 | ajv@^5.2.3, ajv@^5.3.0: 35 | version "5.5.0" 36 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-5.5.0.tgz#eb2840746e9dc48bd5e063a36e3fd400c5eab5a9" 37 | dependencies: 38 | co "^4.6.0" 39 | fast-deep-equal "^1.0.0" 40 | fast-json-stable-stringify "^2.0.0" 41 | json-schema-traverse "^0.3.0" 42 | 43 | ansi-escapes@^3.0.0: 44 | version "3.0.0" 45 | resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-3.0.0.tgz#ec3e8b4e9f8064fc02c3ac9b65f1c275bda8ef92" 46 | 47 | ansi-regex@^2.0.0: 48 | version "2.1.1" 49 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.1.1.tgz#c3b33ab5ee360d86e0e628f0468ae7ef27d654df" 50 | 51 | ansi-regex@^3.0.0: 52 | version "3.0.0" 53 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-3.0.0.tgz#ed0317c322064f79466c02966bddb605ab37d998" 54 | 55 | ansi-styles@^2.2.1: 56 | version "2.2.1" 57 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-2.2.1.tgz#b432dd3358b634cf75e1e4664368240533c1ddbe" 58 | 59 | ansi-styles@^3.1.0: 60 | version "3.2.0" 61 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-3.2.0.tgz#c159b8d5be0f9e5a6f346dab94f16ce022161b88" 62 | dependencies: 63 | color-convert "^1.9.0" 64 | 65 | anymatch@^1.3.0: 66 | version "1.3.2" 67 | resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-1.3.2.tgz#553dcb8f91e3c889845dfdba34c77721b90b9d7a" 68 | dependencies: 69 | micromatch "^2.1.5" 70 | normalize-path "^2.0.0" 71 | 72 | aproba@^1.0.3: 73 | version "1.2.0" 74 | resolved "https://registry.yarnpkg.com/aproba/-/aproba-1.2.0.tgz#6802e6264efd18c790a1b0d517f0f2627bf2c94a" 75 | 76 | are-we-there-yet@~1.1.2: 77 | version "1.1.4" 78 | resolved "https://registry.yarnpkg.com/are-we-there-yet/-/are-we-there-yet-1.1.4.tgz#bb5dca382bb94f05e15194373d16fd3ba1ca110d" 79 | dependencies: 80 | delegates "^1.0.0" 81 | readable-stream "^2.0.6" 82 | 83 | argparse@^1.0.7: 84 | version "1.0.9" 85 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-1.0.9.tgz#73d83bc263f86e97f8cc4f6bae1b0e90a7d22c86" 86 | dependencies: 87 | sprintf-js "~1.0.2" 88 | 89 | arr-diff@^2.0.0: 90 | version "2.0.0" 91 | resolved "https://registry.yarnpkg.com/arr-diff/-/arr-diff-2.0.0.tgz#8f3b827f955a8bd669697e4a4256ac3ceae356cf" 92 | dependencies: 93 | arr-flatten "^1.0.1" 94 | 95 | arr-flatten@^1.0.1: 96 | version "1.1.0" 97 | resolved "https://registry.yarnpkg.com/arr-flatten/-/arr-flatten-1.1.0.tgz#36048bbff4e7b47e136644316c99669ea5ae91f1" 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 | array-unique@^0.2.1: 110 | version "0.2.1" 111 | resolved "https://registry.yarnpkg.com/array-unique/-/array-unique-0.2.1.tgz#a1d97ccafcbc2625cc70fadceb36a50c58b01a53" 112 | 113 | arrify@^1.0.0: 114 | version "1.0.1" 115 | resolved "https://registry.yarnpkg.com/arrify/-/arrify-1.0.1.tgz#898508da2226f380df904728456849c1501a4b0d" 116 | 117 | asn1@~0.2.3: 118 | version "0.2.3" 119 | resolved "https://registry.yarnpkg.com/asn1/-/asn1-0.2.3.tgz#dac8787713c9966849fc8180777ebe9c1ddf3b86" 120 | 121 | assert-plus@1.0.0, assert-plus@^1.0.0: 122 | version "1.0.0" 123 | resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-1.0.0.tgz#f12e0f3c5d77b0b1cdd9146942e4e96c1e4dd525" 124 | 125 | assert-plus@^0.2.0: 126 | version "0.2.0" 127 | resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-0.2.0.tgz#d74e1b87e7affc0db8aadb7021f3fe48101ab234" 128 | 129 | async-each@^1.0.0: 130 | version "1.0.1" 131 | resolved "https://registry.yarnpkg.com/async-each/-/async-each-1.0.1.tgz#19d386a1d9edc6e7c1c85d388aedbcc56d33602d" 132 | 133 | asynckit@^0.4.0: 134 | version "0.4.0" 135 | resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79" 136 | 137 | aws-sign2@~0.6.0: 138 | version "0.6.0" 139 | resolved "https://registry.yarnpkg.com/aws-sign2/-/aws-sign2-0.6.0.tgz#14342dd38dbcc94d0e5b87d763cd63612c0e794f" 140 | 141 | aws4@^1.2.1: 142 | version "1.6.0" 143 | resolved "https://registry.yarnpkg.com/aws4/-/aws4-1.6.0.tgz#83ef5ca860b2b32e4a0deedee8c771b9db57471e" 144 | 145 | babel-cli@^6.26.0: 146 | version "6.26.0" 147 | resolved "https://registry.yarnpkg.com/babel-cli/-/babel-cli-6.26.0.tgz#502ab54874d7db88ad00b887a06383ce03d002f1" 148 | dependencies: 149 | babel-core "^6.26.0" 150 | babel-polyfill "^6.26.0" 151 | babel-register "^6.26.0" 152 | babel-runtime "^6.26.0" 153 | commander "^2.11.0" 154 | convert-source-map "^1.5.0" 155 | fs-readdir-recursive "^1.0.0" 156 | glob "^7.1.2" 157 | lodash "^4.17.4" 158 | output-file-sync "^1.1.2" 159 | path-is-absolute "^1.0.1" 160 | slash "^1.0.0" 161 | source-map "^0.5.6" 162 | v8flags "^2.1.1" 163 | optionalDependencies: 164 | chokidar "^1.6.1" 165 | 166 | babel-code-frame@^6.22.0, babel-code-frame@^6.26.0: 167 | version "6.26.0" 168 | resolved "https://registry.yarnpkg.com/babel-code-frame/-/babel-code-frame-6.26.0.tgz#63fd43f7dc1e3bb7ce35947db8fe369a3f58c74b" 169 | dependencies: 170 | chalk "^1.1.3" 171 | esutils "^2.0.2" 172 | js-tokens "^3.0.2" 173 | 174 | babel-core@^6.26.0: 175 | version "6.26.0" 176 | resolved "https://registry.yarnpkg.com/babel-core/-/babel-core-6.26.0.tgz#af32f78b31a6fcef119c87b0fd8d9753f03a0bb8" 177 | dependencies: 178 | babel-code-frame "^6.26.0" 179 | babel-generator "^6.26.0" 180 | babel-helpers "^6.24.1" 181 | babel-messages "^6.23.0" 182 | babel-register "^6.26.0" 183 | babel-runtime "^6.26.0" 184 | babel-template "^6.26.0" 185 | babel-traverse "^6.26.0" 186 | babel-types "^6.26.0" 187 | babylon "^6.18.0" 188 | convert-source-map "^1.5.0" 189 | debug "^2.6.8" 190 | json5 "^0.5.1" 191 | lodash "^4.17.4" 192 | minimatch "^3.0.4" 193 | path-is-absolute "^1.0.1" 194 | private "^0.1.7" 195 | slash "^1.0.0" 196 | source-map "^0.5.6" 197 | 198 | babel-generator@^6.26.0: 199 | version "6.26.0" 200 | resolved "https://registry.yarnpkg.com/babel-generator/-/babel-generator-6.26.0.tgz#ac1ae20070b79f6e3ca1d3269613053774f20dc5" 201 | dependencies: 202 | babel-messages "^6.23.0" 203 | babel-runtime "^6.26.0" 204 | babel-types "^6.26.0" 205 | detect-indent "^4.0.0" 206 | jsesc "^1.3.0" 207 | lodash "^4.17.4" 208 | source-map "^0.5.6" 209 | trim-right "^1.0.1" 210 | 211 | babel-helper-bindify-decorators@^6.24.1: 212 | version "6.24.1" 213 | resolved "https://registry.yarnpkg.com/babel-helper-bindify-decorators/-/babel-helper-bindify-decorators-6.24.1.tgz#14c19e5f142d7b47f19a52431e52b1ccbc40a330" 214 | dependencies: 215 | babel-runtime "^6.22.0" 216 | babel-traverse "^6.24.1" 217 | babel-types "^6.24.1" 218 | 219 | babel-helper-builder-binary-assignment-operator-visitor@^6.24.1: 220 | version "6.24.1" 221 | resolved "https://registry.yarnpkg.com/babel-helper-builder-binary-assignment-operator-visitor/-/babel-helper-builder-binary-assignment-operator-visitor-6.24.1.tgz#cce4517ada356f4220bcae8a02c2b346f9a56664" 222 | dependencies: 223 | babel-helper-explode-assignable-expression "^6.24.1" 224 | babel-runtime "^6.22.0" 225 | babel-types "^6.24.1" 226 | 227 | babel-helper-call-delegate@^6.24.1: 228 | version "6.24.1" 229 | resolved "https://registry.yarnpkg.com/babel-helper-call-delegate/-/babel-helper-call-delegate-6.24.1.tgz#ece6aacddc76e41c3461f88bfc575bd0daa2df8d" 230 | dependencies: 231 | babel-helper-hoist-variables "^6.24.1" 232 | babel-runtime "^6.22.0" 233 | babel-traverse "^6.24.1" 234 | babel-types "^6.24.1" 235 | 236 | babel-helper-define-map@^6.24.1: 237 | version "6.26.0" 238 | resolved "https://registry.yarnpkg.com/babel-helper-define-map/-/babel-helper-define-map-6.26.0.tgz#a5f56dab41a25f97ecb498c7ebaca9819f95be5f" 239 | dependencies: 240 | babel-helper-function-name "^6.24.1" 241 | babel-runtime "^6.26.0" 242 | babel-types "^6.26.0" 243 | lodash "^4.17.4" 244 | 245 | babel-helper-explode-assignable-expression@^6.24.1: 246 | version "6.24.1" 247 | resolved "https://registry.yarnpkg.com/babel-helper-explode-assignable-expression/-/babel-helper-explode-assignable-expression-6.24.1.tgz#f25b82cf7dc10433c55f70592d5746400ac22caa" 248 | dependencies: 249 | babel-runtime "^6.22.0" 250 | babel-traverse "^6.24.1" 251 | babel-types "^6.24.1" 252 | 253 | babel-helper-explode-class@^6.24.1: 254 | version "6.24.1" 255 | resolved "https://registry.yarnpkg.com/babel-helper-explode-class/-/babel-helper-explode-class-6.24.1.tgz#7dc2a3910dee007056e1e31d640ced3d54eaa9eb" 256 | dependencies: 257 | babel-helper-bindify-decorators "^6.24.1" 258 | babel-runtime "^6.22.0" 259 | babel-traverse "^6.24.1" 260 | babel-types "^6.24.1" 261 | 262 | babel-helper-function-name@^6.24.1: 263 | version "6.24.1" 264 | resolved "https://registry.yarnpkg.com/babel-helper-function-name/-/babel-helper-function-name-6.24.1.tgz#d3475b8c03ed98242a25b48351ab18399d3580a9" 265 | dependencies: 266 | babel-helper-get-function-arity "^6.24.1" 267 | babel-runtime "^6.22.0" 268 | babel-template "^6.24.1" 269 | babel-traverse "^6.24.1" 270 | babel-types "^6.24.1" 271 | 272 | babel-helper-get-function-arity@^6.24.1: 273 | version "6.24.1" 274 | resolved "https://registry.yarnpkg.com/babel-helper-get-function-arity/-/babel-helper-get-function-arity-6.24.1.tgz#8f7782aa93407c41d3aa50908f89b031b1b6853d" 275 | dependencies: 276 | babel-runtime "^6.22.0" 277 | babel-types "^6.24.1" 278 | 279 | babel-helper-hoist-variables@^6.24.1: 280 | version "6.24.1" 281 | resolved "https://registry.yarnpkg.com/babel-helper-hoist-variables/-/babel-helper-hoist-variables-6.24.1.tgz#1ecb27689c9d25513eadbc9914a73f5408be7a76" 282 | dependencies: 283 | babel-runtime "^6.22.0" 284 | babel-types "^6.24.1" 285 | 286 | babel-helper-optimise-call-expression@^6.24.1: 287 | version "6.24.1" 288 | resolved "https://registry.yarnpkg.com/babel-helper-optimise-call-expression/-/babel-helper-optimise-call-expression-6.24.1.tgz#f7a13427ba9f73f8f4fa993c54a97882d1244257" 289 | dependencies: 290 | babel-runtime "^6.22.0" 291 | babel-types "^6.24.1" 292 | 293 | babel-helper-regex@^6.24.1: 294 | version "6.26.0" 295 | resolved "https://registry.yarnpkg.com/babel-helper-regex/-/babel-helper-regex-6.26.0.tgz#325c59f902f82f24b74faceed0363954f6495e72" 296 | dependencies: 297 | babel-runtime "^6.26.0" 298 | babel-types "^6.26.0" 299 | lodash "^4.17.4" 300 | 301 | babel-helper-remap-async-to-generator@^6.24.1: 302 | version "6.24.1" 303 | resolved "https://registry.yarnpkg.com/babel-helper-remap-async-to-generator/-/babel-helper-remap-async-to-generator-6.24.1.tgz#5ec581827ad723fecdd381f1c928390676e4551b" 304 | dependencies: 305 | babel-helper-function-name "^6.24.1" 306 | babel-runtime "^6.22.0" 307 | babel-template "^6.24.1" 308 | babel-traverse "^6.24.1" 309 | babel-types "^6.24.1" 310 | 311 | babel-helper-replace-supers@^6.24.1: 312 | version "6.24.1" 313 | resolved "https://registry.yarnpkg.com/babel-helper-replace-supers/-/babel-helper-replace-supers-6.24.1.tgz#bf6dbfe43938d17369a213ca8a8bf74b6a90ab1a" 314 | dependencies: 315 | babel-helper-optimise-call-expression "^6.24.1" 316 | babel-messages "^6.23.0" 317 | babel-runtime "^6.22.0" 318 | babel-template "^6.24.1" 319 | babel-traverse "^6.24.1" 320 | babel-types "^6.24.1" 321 | 322 | babel-helpers@^6.24.1: 323 | version "6.24.1" 324 | resolved "https://registry.yarnpkg.com/babel-helpers/-/babel-helpers-6.24.1.tgz#3471de9caec388e5c850e597e58a26ddf37602b2" 325 | dependencies: 326 | babel-runtime "^6.22.0" 327 | babel-template "^6.24.1" 328 | 329 | babel-messages@^6.23.0: 330 | version "6.23.0" 331 | resolved "https://registry.yarnpkg.com/babel-messages/-/babel-messages-6.23.0.tgz#f3cdf4703858035b2a2951c6ec5edf6c62f2630e" 332 | dependencies: 333 | babel-runtime "^6.22.0" 334 | 335 | babel-plugin-check-es2015-constants@^6.22.0: 336 | version "6.22.0" 337 | resolved "https://registry.yarnpkg.com/babel-plugin-check-es2015-constants/-/babel-plugin-check-es2015-constants-6.22.0.tgz#35157b101426fd2ffd3da3f75c7d1e91835bbf8a" 338 | dependencies: 339 | babel-runtime "^6.22.0" 340 | 341 | babel-plugin-syntax-async-functions@^6.8.0: 342 | version "6.13.0" 343 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-async-functions/-/babel-plugin-syntax-async-functions-6.13.0.tgz#cad9cad1191b5ad634bf30ae0872391e0647be95" 344 | 345 | babel-plugin-syntax-async-generators@^6.5.0: 346 | version "6.13.0" 347 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-async-generators/-/babel-plugin-syntax-async-generators-6.13.0.tgz#6bc963ebb16eccbae6b92b596eb7f35c342a8b9a" 348 | 349 | babel-plugin-syntax-class-properties@^6.8.0: 350 | version "6.13.0" 351 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-class-properties/-/babel-plugin-syntax-class-properties-6.13.0.tgz#d7eb23b79a317f8543962c505b827c7d6cac27de" 352 | 353 | babel-plugin-syntax-decorators@^6.13.0: 354 | version "6.13.0" 355 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-decorators/-/babel-plugin-syntax-decorators-6.13.0.tgz#312563b4dbde3cc806cee3e416cceeaddd11ac0b" 356 | 357 | babel-plugin-syntax-dynamic-import@^6.18.0: 358 | version "6.18.0" 359 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-dynamic-import/-/babel-plugin-syntax-dynamic-import-6.18.0.tgz#8d6a26229c83745a9982a441051572caa179b1da" 360 | 361 | babel-plugin-syntax-exponentiation-operator@^6.8.0: 362 | version "6.13.0" 363 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-exponentiation-operator/-/babel-plugin-syntax-exponentiation-operator-6.13.0.tgz#9ee7e8337290da95288201a6a57f4170317830de" 364 | 365 | babel-plugin-syntax-object-rest-spread@^6.8.0: 366 | version "6.13.0" 367 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-object-rest-spread/-/babel-plugin-syntax-object-rest-spread-6.13.0.tgz#fd6536f2bce13836ffa3a5458c4903a597bb3bf5" 368 | 369 | babel-plugin-syntax-pipeline-operator@7.0.0-beta.3: 370 | version "7.0.0-beta.3" 371 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-pipeline-operator/-/babel-plugin-syntax-pipeline-operator-7.0.0-beta.3.tgz#f8d17f9d5fdf8a515c0d5a33d2483665575bdf9d" 372 | 373 | babel-plugin-syntax-trailing-function-commas@^6.22.0: 374 | version "6.22.0" 375 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-trailing-function-commas/-/babel-plugin-syntax-trailing-function-commas-6.22.0.tgz#ba0360937f8d06e40180a43fe0d5616fff532cf3" 376 | 377 | babel-plugin-transform-async-generator-functions@^6.24.1: 378 | version "6.24.1" 379 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-async-generator-functions/-/babel-plugin-transform-async-generator-functions-6.24.1.tgz#f058900145fd3e9907a6ddf28da59f215258a5db" 380 | dependencies: 381 | babel-helper-remap-async-to-generator "^6.24.1" 382 | babel-plugin-syntax-async-generators "^6.5.0" 383 | babel-runtime "^6.22.0" 384 | 385 | babel-plugin-transform-async-to-generator@^6.24.1: 386 | version "6.24.1" 387 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-async-to-generator/-/babel-plugin-transform-async-to-generator-6.24.1.tgz#6536e378aff6cb1d5517ac0e40eb3e9fc8d08761" 388 | dependencies: 389 | babel-helper-remap-async-to-generator "^6.24.1" 390 | babel-plugin-syntax-async-functions "^6.8.0" 391 | babel-runtime "^6.22.0" 392 | 393 | babel-plugin-transform-class-properties@^6.24.1: 394 | version "6.24.1" 395 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-class-properties/-/babel-plugin-transform-class-properties-6.24.1.tgz#6a79763ea61d33d36f37b611aa9def81a81b46ac" 396 | dependencies: 397 | babel-helper-function-name "^6.24.1" 398 | babel-plugin-syntax-class-properties "^6.8.0" 399 | babel-runtime "^6.22.0" 400 | babel-template "^6.24.1" 401 | 402 | babel-plugin-transform-decorators@^6.24.1: 403 | version "6.24.1" 404 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-decorators/-/babel-plugin-transform-decorators-6.24.1.tgz#788013d8f8c6b5222bdf7b344390dfd77569e24d" 405 | dependencies: 406 | babel-helper-explode-class "^6.24.1" 407 | babel-plugin-syntax-decorators "^6.13.0" 408 | babel-runtime "^6.22.0" 409 | babel-template "^6.24.1" 410 | babel-types "^6.24.1" 411 | 412 | babel-plugin-transform-es2015-arrow-functions@^6.22.0: 413 | version "6.22.0" 414 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-arrow-functions/-/babel-plugin-transform-es2015-arrow-functions-6.22.0.tgz#452692cb711d5f79dc7f85e440ce41b9f244d221" 415 | dependencies: 416 | babel-runtime "^6.22.0" 417 | 418 | babel-plugin-transform-es2015-block-scoped-functions@^6.22.0: 419 | version "6.22.0" 420 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-block-scoped-functions/-/babel-plugin-transform-es2015-block-scoped-functions-6.22.0.tgz#bbc51b49f964d70cb8d8e0b94e820246ce3a6141" 421 | dependencies: 422 | babel-runtime "^6.22.0" 423 | 424 | babel-plugin-transform-es2015-block-scoping@^6.24.1: 425 | version "6.26.0" 426 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-block-scoping/-/babel-plugin-transform-es2015-block-scoping-6.26.0.tgz#d70f5299c1308d05c12f463813b0a09e73b1895f" 427 | dependencies: 428 | babel-runtime "^6.26.0" 429 | babel-template "^6.26.0" 430 | babel-traverse "^6.26.0" 431 | babel-types "^6.26.0" 432 | lodash "^4.17.4" 433 | 434 | babel-plugin-transform-es2015-classes@^6.24.1: 435 | version "6.24.1" 436 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-classes/-/babel-plugin-transform-es2015-classes-6.24.1.tgz#5a4c58a50c9c9461e564b4b2a3bfabc97a2584db" 437 | dependencies: 438 | babel-helper-define-map "^6.24.1" 439 | babel-helper-function-name "^6.24.1" 440 | babel-helper-optimise-call-expression "^6.24.1" 441 | babel-helper-replace-supers "^6.24.1" 442 | babel-messages "^6.23.0" 443 | babel-runtime "^6.22.0" 444 | babel-template "^6.24.1" 445 | babel-traverse "^6.24.1" 446 | babel-types "^6.24.1" 447 | 448 | babel-plugin-transform-es2015-computed-properties@^6.24.1: 449 | version "6.24.1" 450 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-computed-properties/-/babel-plugin-transform-es2015-computed-properties-6.24.1.tgz#6fe2a8d16895d5634f4cd999b6d3480a308159b3" 451 | dependencies: 452 | babel-runtime "^6.22.0" 453 | babel-template "^6.24.1" 454 | 455 | babel-plugin-transform-es2015-destructuring@^6.22.0: 456 | version "6.23.0" 457 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-destructuring/-/babel-plugin-transform-es2015-destructuring-6.23.0.tgz#997bb1f1ab967f682d2b0876fe358d60e765c56d" 458 | dependencies: 459 | babel-runtime "^6.22.0" 460 | 461 | babel-plugin-transform-es2015-duplicate-keys@^6.24.1: 462 | version "6.24.1" 463 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-duplicate-keys/-/babel-plugin-transform-es2015-duplicate-keys-6.24.1.tgz#73eb3d310ca969e3ef9ec91c53741a6f1576423e" 464 | dependencies: 465 | babel-runtime "^6.22.0" 466 | babel-types "^6.24.1" 467 | 468 | babel-plugin-transform-es2015-for-of@^6.22.0: 469 | version "6.23.0" 470 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-for-of/-/babel-plugin-transform-es2015-for-of-6.23.0.tgz#f47c95b2b613df1d3ecc2fdb7573623c75248691" 471 | dependencies: 472 | babel-runtime "^6.22.0" 473 | 474 | babel-plugin-transform-es2015-function-name@^6.24.1: 475 | version "6.24.1" 476 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-function-name/-/babel-plugin-transform-es2015-function-name-6.24.1.tgz#834c89853bc36b1af0f3a4c5dbaa94fd8eacaa8b" 477 | dependencies: 478 | babel-helper-function-name "^6.24.1" 479 | babel-runtime "^6.22.0" 480 | babel-types "^6.24.1" 481 | 482 | babel-plugin-transform-es2015-literals@^6.22.0: 483 | version "6.22.0" 484 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-literals/-/babel-plugin-transform-es2015-literals-6.22.0.tgz#4f54a02d6cd66cf915280019a31d31925377ca2e" 485 | dependencies: 486 | babel-runtime "^6.22.0" 487 | 488 | babel-plugin-transform-es2015-modules-amd@^6.24.1: 489 | version "6.24.1" 490 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-modules-amd/-/babel-plugin-transform-es2015-modules-amd-6.24.1.tgz#3b3e54017239842d6d19c3011c4bd2f00a00d154" 491 | dependencies: 492 | babel-plugin-transform-es2015-modules-commonjs "^6.24.1" 493 | babel-runtime "^6.22.0" 494 | babel-template "^6.24.1" 495 | 496 | babel-plugin-transform-es2015-modules-commonjs@^6.24.1: 497 | version "6.26.0" 498 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-modules-commonjs/-/babel-plugin-transform-es2015-modules-commonjs-6.26.0.tgz#0d8394029b7dc6abe1a97ef181e00758dd2e5d8a" 499 | dependencies: 500 | babel-plugin-transform-strict-mode "^6.24.1" 501 | babel-runtime "^6.26.0" 502 | babel-template "^6.26.0" 503 | babel-types "^6.26.0" 504 | 505 | babel-plugin-transform-es2015-modules-systemjs@^6.24.1: 506 | version "6.24.1" 507 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-modules-systemjs/-/babel-plugin-transform-es2015-modules-systemjs-6.24.1.tgz#ff89a142b9119a906195f5f106ecf305d9407d23" 508 | dependencies: 509 | babel-helper-hoist-variables "^6.24.1" 510 | babel-runtime "^6.22.0" 511 | babel-template "^6.24.1" 512 | 513 | babel-plugin-transform-es2015-modules-umd@^6.24.1: 514 | version "6.24.1" 515 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-modules-umd/-/babel-plugin-transform-es2015-modules-umd-6.24.1.tgz#ac997e6285cd18ed6176adb607d602344ad38468" 516 | dependencies: 517 | babel-plugin-transform-es2015-modules-amd "^6.24.1" 518 | babel-runtime "^6.22.0" 519 | babel-template "^6.24.1" 520 | 521 | babel-plugin-transform-es2015-object-super@^6.24.1: 522 | version "6.24.1" 523 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-object-super/-/babel-plugin-transform-es2015-object-super-6.24.1.tgz#24cef69ae21cb83a7f8603dad021f572eb278f8d" 524 | dependencies: 525 | babel-helper-replace-supers "^6.24.1" 526 | babel-runtime "^6.22.0" 527 | 528 | babel-plugin-transform-es2015-parameters@^6.24.1: 529 | version "6.24.1" 530 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-parameters/-/babel-plugin-transform-es2015-parameters-6.24.1.tgz#57ac351ab49caf14a97cd13b09f66fdf0a625f2b" 531 | dependencies: 532 | babel-helper-call-delegate "^6.24.1" 533 | babel-helper-get-function-arity "^6.24.1" 534 | babel-runtime "^6.22.0" 535 | babel-template "^6.24.1" 536 | babel-traverse "^6.24.1" 537 | babel-types "^6.24.1" 538 | 539 | babel-plugin-transform-es2015-shorthand-properties@^6.24.1: 540 | version "6.24.1" 541 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-shorthand-properties/-/babel-plugin-transform-es2015-shorthand-properties-6.24.1.tgz#24f875d6721c87661bbd99a4622e51f14de38aa0" 542 | dependencies: 543 | babel-runtime "^6.22.0" 544 | babel-types "^6.24.1" 545 | 546 | babel-plugin-transform-es2015-spread@^6.22.0: 547 | version "6.22.0" 548 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-spread/-/babel-plugin-transform-es2015-spread-6.22.0.tgz#d6d68a99f89aedc4536c81a542e8dd9f1746f8d1" 549 | dependencies: 550 | babel-runtime "^6.22.0" 551 | 552 | babel-plugin-transform-es2015-sticky-regex@^6.24.1: 553 | version "6.24.1" 554 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-sticky-regex/-/babel-plugin-transform-es2015-sticky-regex-6.24.1.tgz#00c1cdb1aca71112cdf0cf6126c2ed6b457ccdbc" 555 | dependencies: 556 | babel-helper-regex "^6.24.1" 557 | babel-runtime "^6.22.0" 558 | babel-types "^6.24.1" 559 | 560 | babel-plugin-transform-es2015-template-literals@^6.22.0: 561 | version "6.22.0" 562 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-template-literals/-/babel-plugin-transform-es2015-template-literals-6.22.0.tgz#a84b3450f7e9f8f1f6839d6d687da84bb1236d8d" 563 | dependencies: 564 | babel-runtime "^6.22.0" 565 | 566 | babel-plugin-transform-es2015-typeof-symbol@^6.22.0: 567 | version "6.23.0" 568 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-typeof-symbol/-/babel-plugin-transform-es2015-typeof-symbol-6.23.0.tgz#dec09f1cddff94b52ac73d505c84df59dcceb372" 569 | dependencies: 570 | babel-runtime "^6.22.0" 571 | 572 | babel-plugin-transform-es2015-unicode-regex@^6.24.1: 573 | version "6.24.1" 574 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-unicode-regex/-/babel-plugin-transform-es2015-unicode-regex-6.24.1.tgz#d38b12f42ea7323f729387f18a7c5ae1faeb35e9" 575 | dependencies: 576 | babel-helper-regex "^6.24.1" 577 | babel-runtime "^6.22.0" 578 | regexpu-core "^2.0.0" 579 | 580 | babel-plugin-transform-exponentiation-operator@^6.24.1: 581 | version "6.24.1" 582 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-exponentiation-operator/-/babel-plugin-transform-exponentiation-operator-6.24.1.tgz#2ab0c9c7f3098fa48907772bb813fe41e8de3a0e" 583 | dependencies: 584 | babel-helper-builder-binary-assignment-operator-visitor "^6.24.1" 585 | babel-plugin-syntax-exponentiation-operator "^6.8.0" 586 | babel-runtime "^6.22.0" 587 | 588 | babel-plugin-transform-object-rest-spread@^6.22.0: 589 | version "6.26.0" 590 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-object-rest-spread/-/babel-plugin-transform-object-rest-spread-6.26.0.tgz#0f36692d50fef6b7e2d4b3ac1478137a963b7b06" 591 | dependencies: 592 | babel-plugin-syntax-object-rest-spread "^6.8.0" 593 | babel-runtime "^6.26.0" 594 | 595 | babel-plugin-transform-pipeline-operator@^7.0.0-beta.3: 596 | version "7.0.0-beta.3" 597 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-pipeline-operator/-/babel-plugin-transform-pipeline-operator-7.0.0-beta.3.tgz#5e9c36c1b8e769394165546fe0bd3eeaa2e5b88e" 598 | dependencies: 599 | babel-plugin-syntax-pipeline-operator "7.0.0-beta.3" 600 | 601 | babel-plugin-transform-regenerator@^6.24.1: 602 | version "6.26.0" 603 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-regenerator/-/babel-plugin-transform-regenerator-6.26.0.tgz#e0703696fbde27f0a3efcacf8b4dca2f7b3a8f2f" 604 | dependencies: 605 | regenerator-transform "^0.10.0" 606 | 607 | babel-plugin-transform-strict-mode@^6.24.1: 608 | version "6.24.1" 609 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-strict-mode/-/babel-plugin-transform-strict-mode-6.24.1.tgz#d5faf7aa578a65bbe591cf5edae04a0c67020758" 610 | dependencies: 611 | babel-runtime "^6.22.0" 612 | babel-types "^6.24.1" 613 | 614 | babel-polyfill@^6.26.0: 615 | version "6.26.0" 616 | resolved "https://registry.yarnpkg.com/babel-polyfill/-/babel-polyfill-6.26.0.tgz#379937abc67d7895970adc621f284cd966cf2153" 617 | dependencies: 618 | babel-runtime "^6.26.0" 619 | core-js "^2.5.0" 620 | regenerator-runtime "^0.10.5" 621 | 622 | babel-preset-es2015@^6.24.1: 623 | version "6.24.1" 624 | resolved "https://registry.yarnpkg.com/babel-preset-es2015/-/babel-preset-es2015-6.24.1.tgz#d44050d6bc2c9feea702aaf38d727a0210538939" 625 | dependencies: 626 | babel-plugin-check-es2015-constants "^6.22.0" 627 | babel-plugin-transform-es2015-arrow-functions "^6.22.0" 628 | babel-plugin-transform-es2015-block-scoped-functions "^6.22.0" 629 | babel-plugin-transform-es2015-block-scoping "^6.24.1" 630 | babel-plugin-transform-es2015-classes "^6.24.1" 631 | babel-plugin-transform-es2015-computed-properties "^6.24.1" 632 | babel-plugin-transform-es2015-destructuring "^6.22.0" 633 | babel-plugin-transform-es2015-duplicate-keys "^6.24.1" 634 | babel-plugin-transform-es2015-for-of "^6.22.0" 635 | babel-plugin-transform-es2015-function-name "^6.24.1" 636 | babel-plugin-transform-es2015-literals "^6.22.0" 637 | babel-plugin-transform-es2015-modules-amd "^6.24.1" 638 | babel-plugin-transform-es2015-modules-commonjs "^6.24.1" 639 | babel-plugin-transform-es2015-modules-systemjs "^6.24.1" 640 | babel-plugin-transform-es2015-modules-umd "^6.24.1" 641 | babel-plugin-transform-es2015-object-super "^6.24.1" 642 | babel-plugin-transform-es2015-parameters "^6.24.1" 643 | babel-plugin-transform-es2015-shorthand-properties "^6.24.1" 644 | babel-plugin-transform-es2015-spread "^6.22.0" 645 | babel-plugin-transform-es2015-sticky-regex "^6.24.1" 646 | babel-plugin-transform-es2015-template-literals "^6.22.0" 647 | babel-plugin-transform-es2015-typeof-symbol "^6.22.0" 648 | babel-plugin-transform-es2015-unicode-regex "^6.24.1" 649 | babel-plugin-transform-regenerator "^6.24.1" 650 | 651 | babel-preset-stage-2@^6.24.1: 652 | version "6.24.1" 653 | resolved "https://registry.yarnpkg.com/babel-preset-stage-2/-/babel-preset-stage-2-6.24.1.tgz#d9e2960fb3d71187f0e64eec62bc07767219bdc1" 654 | dependencies: 655 | babel-plugin-syntax-dynamic-import "^6.18.0" 656 | babel-plugin-transform-class-properties "^6.24.1" 657 | babel-plugin-transform-decorators "^6.24.1" 658 | babel-preset-stage-3 "^6.24.1" 659 | 660 | babel-preset-stage-3@^6.24.1: 661 | version "6.24.1" 662 | resolved "https://registry.yarnpkg.com/babel-preset-stage-3/-/babel-preset-stage-3-6.24.1.tgz#836ada0a9e7a7fa37cb138fb9326f87934a48395" 663 | dependencies: 664 | babel-plugin-syntax-trailing-function-commas "^6.22.0" 665 | babel-plugin-transform-async-generator-functions "^6.24.1" 666 | babel-plugin-transform-async-to-generator "^6.24.1" 667 | babel-plugin-transform-exponentiation-operator "^6.24.1" 668 | babel-plugin-transform-object-rest-spread "^6.22.0" 669 | 670 | babel-register@^6.26.0: 671 | version "6.26.0" 672 | resolved "https://registry.yarnpkg.com/babel-register/-/babel-register-6.26.0.tgz#6ed021173e2fcb486d7acb45c6009a856f647071" 673 | dependencies: 674 | babel-core "^6.26.0" 675 | babel-runtime "^6.26.0" 676 | core-js "^2.5.0" 677 | home-or-tmp "^2.0.0" 678 | lodash "^4.17.4" 679 | mkdirp "^0.5.1" 680 | source-map-support "^0.4.15" 681 | 682 | babel-runtime@^6.18.0, babel-runtime@^6.22.0, babel-runtime@^6.26.0: 683 | version "6.26.0" 684 | resolved "https://registry.yarnpkg.com/babel-runtime/-/babel-runtime-6.26.0.tgz#965c7058668e82b55d7bfe04ff2337bc8b5647fe" 685 | dependencies: 686 | core-js "^2.4.0" 687 | regenerator-runtime "^0.11.0" 688 | 689 | babel-template@^6.24.1, babel-template@^6.26.0: 690 | version "6.26.0" 691 | resolved "https://registry.yarnpkg.com/babel-template/-/babel-template-6.26.0.tgz#de03e2d16396b069f46dd9fff8521fb1a0e35e02" 692 | dependencies: 693 | babel-runtime "^6.26.0" 694 | babel-traverse "^6.26.0" 695 | babel-types "^6.26.0" 696 | babylon "^6.18.0" 697 | lodash "^4.17.4" 698 | 699 | babel-traverse@^6.24.1, babel-traverse@^6.26.0: 700 | version "6.26.0" 701 | resolved "https://registry.yarnpkg.com/babel-traverse/-/babel-traverse-6.26.0.tgz#46a9cbd7edcc62c8e5c064e2d2d8d0f4035766ee" 702 | dependencies: 703 | babel-code-frame "^6.26.0" 704 | babel-messages "^6.23.0" 705 | babel-runtime "^6.26.0" 706 | babel-types "^6.26.0" 707 | babylon "^6.18.0" 708 | debug "^2.6.8" 709 | globals "^9.18.0" 710 | invariant "^2.2.2" 711 | lodash "^4.17.4" 712 | 713 | babel-types@^6.19.0, babel-types@^6.24.1, babel-types@^6.26.0: 714 | version "6.26.0" 715 | resolved "https://registry.yarnpkg.com/babel-types/-/babel-types-6.26.0.tgz#a3b073f94ab49eb6fa55cd65227a334380632497" 716 | dependencies: 717 | babel-runtime "^6.26.0" 718 | esutils "^2.0.2" 719 | lodash "^4.17.4" 720 | to-fast-properties "^1.0.3" 721 | 722 | babylon@^6.18.0: 723 | version "6.18.0" 724 | resolved "https://registry.yarnpkg.com/babylon/-/babylon-6.18.0.tgz#af2f3b88fa6f5c1e4c634d1a0f8eac4f55b395e3" 725 | 726 | balanced-match@^1.0.0: 727 | version "1.0.0" 728 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.0.tgz#89b4d199ab2bee49de164ea02b89ce462d71b767" 729 | 730 | bcrypt-pbkdf@^1.0.0: 731 | version "1.0.1" 732 | resolved "https://registry.yarnpkg.com/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.1.tgz#63bc5dcb61331b92bc05fd528953c33462a06f8d" 733 | dependencies: 734 | tweetnacl "^0.14.3" 735 | 736 | binary-extensions@^1.0.0: 737 | version "1.11.0" 738 | resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-1.11.0.tgz#46aa1751fb6a2f93ee5e689bb1087d4b14c6c205" 739 | 740 | block-stream@*: 741 | version "0.0.9" 742 | resolved "https://registry.yarnpkg.com/block-stream/-/block-stream-0.0.9.tgz#13ebfe778a03205cfe03751481ebb4b3300c126a" 743 | dependencies: 744 | inherits "~2.0.0" 745 | 746 | boom@2.x.x: 747 | version "2.10.1" 748 | resolved "https://registry.yarnpkg.com/boom/-/boom-2.10.1.tgz#39c8918ceff5799f83f9492a848f625add0c766f" 749 | dependencies: 750 | hoek "2.x.x" 751 | 752 | brace-expansion@^1.1.7: 753 | version "1.1.8" 754 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.8.tgz#c07b211c7c952ec1f8efd51a77ef0d1d3990a292" 755 | dependencies: 756 | balanced-match "^1.0.0" 757 | concat-map "0.0.1" 758 | 759 | braces@^1.8.2: 760 | version "1.8.5" 761 | resolved "https://registry.yarnpkg.com/braces/-/braces-1.8.5.tgz#ba77962e12dff969d6b76711e914b737857bf6a7" 762 | dependencies: 763 | expand-range "^1.8.1" 764 | preserve "^0.2.0" 765 | repeat-element "^1.1.2" 766 | 767 | builtin-modules@^1.0.0, builtin-modules@^1.1.1: 768 | version "1.1.1" 769 | resolved "https://registry.yarnpkg.com/builtin-modules/-/builtin-modules-1.1.1.tgz#270f076c5a72c02f5b65a47df94c5fe3a278892f" 770 | 771 | caller-path@^0.1.0: 772 | version "0.1.0" 773 | resolved "https://registry.yarnpkg.com/caller-path/-/caller-path-0.1.0.tgz#94085ef63581ecd3daa92444a8fe94e82577751f" 774 | dependencies: 775 | callsites "^0.2.0" 776 | 777 | callsites@^0.2.0: 778 | version "0.2.0" 779 | resolved "https://registry.yarnpkg.com/callsites/-/callsites-0.2.0.tgz#afab96262910a7f33c19a5775825c69f34e350ca" 780 | 781 | caseless@~0.12.0: 782 | version "0.12.0" 783 | resolved "https://registry.yarnpkg.com/caseless/-/caseless-0.12.0.tgz#1b681c21ff84033c826543090689420d187151dc" 784 | 785 | chalk@^1.1.3: 786 | version "1.1.3" 787 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-1.1.3.tgz#a8115c55e4a702fe4d150abd3872822a7e09fc98" 788 | dependencies: 789 | ansi-styles "^2.2.1" 790 | escape-string-regexp "^1.0.2" 791 | has-ansi "^2.0.0" 792 | strip-ansi "^3.0.0" 793 | supports-color "^2.0.0" 794 | 795 | chalk@^2.0.0, chalk@^2.1.0: 796 | version "2.3.0" 797 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.3.0.tgz#b5ea48efc9c1793dccc9b4767c93914d3f2d52ba" 798 | dependencies: 799 | ansi-styles "^3.1.0" 800 | escape-string-regexp "^1.0.5" 801 | supports-color "^4.0.0" 802 | 803 | chardet@^0.4.0: 804 | version "0.4.2" 805 | resolved "https://registry.yarnpkg.com/chardet/-/chardet-0.4.2.tgz#b5473b33dc97c424e5d98dc87d55d4d8a29c8bf2" 806 | 807 | chokidar@^1.6.1: 808 | version "1.7.0" 809 | resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-1.7.0.tgz#798e689778151c8076b4b360e5edd28cda2bb468" 810 | dependencies: 811 | anymatch "^1.3.0" 812 | async-each "^1.0.0" 813 | glob-parent "^2.0.0" 814 | inherits "^2.0.1" 815 | is-binary-path "^1.0.0" 816 | is-glob "^2.0.0" 817 | path-is-absolute "^1.0.0" 818 | readdirp "^2.0.0" 819 | optionalDependencies: 820 | fsevents "^1.0.0" 821 | 822 | circular-json@^0.3.1: 823 | version "0.3.3" 824 | resolved "https://registry.yarnpkg.com/circular-json/-/circular-json-0.3.3.tgz#815c99ea84f6809529d2f45791bdf82711352d66" 825 | 826 | cli-cursor@^2.1.0: 827 | version "2.1.0" 828 | resolved "https://registry.yarnpkg.com/cli-cursor/-/cli-cursor-2.1.0.tgz#b35dac376479facc3e94747d41d0d0f5238ffcb5" 829 | dependencies: 830 | restore-cursor "^2.0.0" 831 | 832 | cli-width@^2.0.0: 833 | version "2.2.0" 834 | resolved "https://registry.yarnpkg.com/cli-width/-/cli-width-2.2.0.tgz#ff19ede8a9a5e579324147b0c11f0fbcbabed639" 835 | 836 | co@^4.6.0: 837 | version "4.6.0" 838 | resolved "https://registry.yarnpkg.com/co/-/co-4.6.0.tgz#6ea6bdf3d853ae54ccb8e47bfa0bf3f9031fb184" 839 | 840 | code-point-at@^1.0.0: 841 | version "1.1.0" 842 | resolved "https://registry.yarnpkg.com/code-point-at/-/code-point-at-1.1.0.tgz#0d070b4d043a5bea33a2f1a40e2edb3d9a4ccf77" 843 | 844 | color-convert@^1.9.0: 845 | version "1.9.1" 846 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-1.9.1.tgz#c1261107aeb2f294ebffec9ed9ecad529a6097ed" 847 | dependencies: 848 | color-name "^1.1.1" 849 | 850 | color-name@^1.1.1: 851 | version "1.1.3" 852 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25" 853 | 854 | colors@^1.1.2: 855 | version "1.1.2" 856 | resolved "https://registry.yarnpkg.com/colors/-/colors-1.1.2.tgz#168a4701756b6a7f51a12ce0c97bfa28c084ed63" 857 | 858 | combined-stream@^1.0.5, combined-stream@~1.0.5: 859 | version "1.0.5" 860 | resolved "https://registry.yarnpkg.com/combined-stream/-/combined-stream-1.0.5.tgz#938370a57b4a51dea2c77c15d5c5fdf895164009" 861 | dependencies: 862 | delayed-stream "~1.0.0" 863 | 864 | commander@^2.11.0: 865 | version "2.12.1" 866 | resolved "https://registry.yarnpkg.com/commander/-/commander-2.12.1.tgz#468635c4168d06145b9323356d1da84d14ac4a7a" 867 | 868 | concat-map@0.0.1: 869 | version "0.0.1" 870 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" 871 | 872 | concat-stream@^1.6.0: 873 | version "1.6.0" 874 | resolved "https://registry.yarnpkg.com/concat-stream/-/concat-stream-1.6.0.tgz#0aac662fd52be78964d5532f694784e70110acf7" 875 | dependencies: 876 | inherits "^2.0.3" 877 | readable-stream "^2.2.2" 878 | typedarray "^0.0.6" 879 | 880 | console-control-strings@^1.0.0, console-control-strings@~1.1.0: 881 | version "1.1.0" 882 | resolved "https://registry.yarnpkg.com/console-control-strings/-/console-control-strings-1.1.0.tgz#3d7cf4464db6446ea644bf4b39507f9851008e8e" 883 | 884 | contains-path@^0.1.0: 885 | version "0.1.0" 886 | resolved "https://registry.yarnpkg.com/contains-path/-/contains-path-0.1.0.tgz#fe8cf184ff6670b6baef01a9d4861a5cbec4120a" 887 | 888 | convert-source-map@^1.5.0: 889 | version "1.5.1" 890 | resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-1.5.1.tgz#b8278097b9bc229365de5c62cf5fcaed8b5599e5" 891 | 892 | core-js@^2.4.0, core-js@^2.5.0: 893 | version "2.5.1" 894 | resolved "https://registry.yarnpkg.com/core-js/-/core-js-2.5.1.tgz#ae6874dc66937789b80754ff5428df66819ca50b" 895 | 896 | core-util-is@1.0.2, core-util-is@~1.0.0: 897 | version "1.0.2" 898 | resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7" 899 | 900 | cross-spawn@^5.1.0: 901 | version "5.1.0" 902 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-5.1.0.tgz#e8bd0efee58fcff6f8f94510a0a554bbfa235449" 903 | dependencies: 904 | lru-cache "^4.0.1" 905 | shebang-command "^1.2.0" 906 | which "^1.2.9" 907 | 908 | cryptiles@2.x.x: 909 | version "2.0.5" 910 | resolved "https://registry.yarnpkg.com/cryptiles/-/cryptiles-2.0.5.tgz#3bdfecdc608147c1c67202fa291e7dca59eaa3b8" 911 | dependencies: 912 | boom "2.x.x" 913 | 914 | dashdash@^1.12.0: 915 | version "1.14.1" 916 | resolved "https://registry.yarnpkg.com/dashdash/-/dashdash-1.14.1.tgz#853cfa0f7cbe2fed5de20326b8dd581035f6e2f0" 917 | dependencies: 918 | assert-plus "^1.0.0" 919 | 920 | debug@^2.2.0, debug@^2.6.8: 921 | version "2.6.9" 922 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f" 923 | dependencies: 924 | ms "2.0.0" 925 | 926 | debug@^3.0.1: 927 | version "3.1.0" 928 | resolved "https://registry.yarnpkg.com/debug/-/debug-3.1.0.tgz#5bb5a0672628b64149566ba16819e61518c67261" 929 | dependencies: 930 | ms "2.0.0" 931 | 932 | deep-extend@~0.4.0: 933 | version "0.4.2" 934 | resolved "https://registry.yarnpkg.com/deep-extend/-/deep-extend-0.4.2.tgz#48b699c27e334bf89f10892be432f6e4c7d34a7f" 935 | 936 | deep-is@~0.1.3: 937 | version "0.1.3" 938 | resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.3.tgz#b369d6fb5dbc13eecf524f91b070feedc357cf34" 939 | 940 | del@^2.0.2: 941 | version "2.2.2" 942 | resolved "https://registry.yarnpkg.com/del/-/del-2.2.2.tgz#c12c981d067846c84bcaf862cff930d907ffd1a8" 943 | dependencies: 944 | globby "^5.0.0" 945 | is-path-cwd "^1.0.0" 946 | is-path-in-cwd "^1.0.0" 947 | object-assign "^4.0.1" 948 | pify "^2.0.0" 949 | pinkie-promise "^2.0.0" 950 | rimraf "^2.2.8" 951 | 952 | delayed-stream@~1.0.0: 953 | version "1.0.0" 954 | resolved "https://registry.yarnpkg.com/delayed-stream/-/delayed-stream-1.0.0.tgz#df3ae199acadfb7d440aaae0b29e2272b24ec619" 955 | 956 | delegates@^1.0.0: 957 | version "1.0.0" 958 | resolved "https://registry.yarnpkg.com/delegates/-/delegates-1.0.0.tgz#84c6e159b81904fdca59a0ef44cd870d31250f9a" 959 | 960 | detect-indent@^4.0.0: 961 | version "4.0.0" 962 | resolved "https://registry.yarnpkg.com/detect-indent/-/detect-indent-4.0.0.tgz#f76d064352cdf43a1cb6ce619c4ee3a9475de208" 963 | dependencies: 964 | repeating "^2.0.0" 965 | 966 | detect-libc@^1.0.2: 967 | version "1.0.3" 968 | resolved "https://registry.yarnpkg.com/detect-libc/-/detect-libc-1.0.3.tgz#fa137c4bd698edf55cd5cd02ac559f91a4c4ba9b" 969 | 970 | doctrine@1.5.0: 971 | version "1.5.0" 972 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-1.5.0.tgz#379dce730f6166f76cefa4e6707a159b02c5a6fa" 973 | dependencies: 974 | esutils "^2.0.2" 975 | isarray "^1.0.0" 976 | 977 | doctrine@^2.0.2: 978 | version "2.0.2" 979 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-2.0.2.tgz#68f96ce8efc56cc42651f1faadb4f175273b0075" 980 | dependencies: 981 | esutils "^2.0.2" 982 | 983 | ecc-jsbn@~0.1.1: 984 | version "0.1.1" 985 | resolved "https://registry.yarnpkg.com/ecc-jsbn/-/ecc-jsbn-0.1.1.tgz#0fc73a9ed5f0d53c38193398523ef7e543777505" 986 | dependencies: 987 | jsbn "~0.1.0" 988 | 989 | error-ex@^1.2.0: 990 | version "1.3.1" 991 | resolved "https://registry.yarnpkg.com/error-ex/-/error-ex-1.3.1.tgz#f855a86ce61adc4e8621c3cda21e7a7612c3a8dc" 992 | dependencies: 993 | is-arrayish "^0.2.1" 994 | 995 | escape-string-regexp@^1.0.2, escape-string-regexp@^1.0.5: 996 | version "1.0.5" 997 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4" 998 | 999 | eslint-config-airbnb-base@^12.1.0: 1000 | version "12.1.0" 1001 | resolved "https://registry.yarnpkg.com/eslint-config-airbnb-base/-/eslint-config-airbnb-base-12.1.0.tgz#386441e54a12ccd957b0a92564a4bafebd747944" 1002 | dependencies: 1003 | eslint-restricted-globals "^0.1.1" 1004 | 1005 | eslint-import-resolver-node@^0.3.1: 1006 | version "0.3.1" 1007 | resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.1.tgz#4422574cde66a9a7b099938ee4d508a199e0e3cc" 1008 | dependencies: 1009 | debug "^2.6.8" 1010 | resolve "^1.2.0" 1011 | 1012 | eslint-module-utils@^2.1.1: 1013 | version "2.1.1" 1014 | resolved "https://registry.yarnpkg.com/eslint-module-utils/-/eslint-module-utils-2.1.1.tgz#abaec824177613b8a95b299639e1b6facf473449" 1015 | dependencies: 1016 | debug "^2.6.8" 1017 | pkg-dir "^1.0.0" 1018 | 1019 | eslint-plugin-import@^2.8.0: 1020 | version "2.8.0" 1021 | resolved "https://registry.yarnpkg.com/eslint-plugin-import/-/eslint-plugin-import-2.8.0.tgz#fa1b6ef31fcb3c501c09859c1b86f1fc5b986894" 1022 | dependencies: 1023 | builtin-modules "^1.1.1" 1024 | contains-path "^0.1.0" 1025 | debug "^2.6.8" 1026 | doctrine "1.5.0" 1027 | eslint-import-resolver-node "^0.3.1" 1028 | eslint-module-utils "^2.1.1" 1029 | has "^1.0.1" 1030 | lodash.cond "^4.3.0" 1031 | minimatch "^3.0.3" 1032 | read-pkg-up "^2.0.0" 1033 | 1034 | eslint-restricted-globals@^0.1.1: 1035 | version "0.1.1" 1036 | resolved "https://registry.yarnpkg.com/eslint-restricted-globals/-/eslint-restricted-globals-0.1.1.tgz#35f0d5cbc64c2e3ed62e93b4b1a7af05ba7ed4d7" 1037 | 1038 | eslint-scope@^3.7.1: 1039 | version "3.7.1" 1040 | resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-3.7.1.tgz#3d63c3edfda02e06e01a452ad88caacc7cdcb6e8" 1041 | dependencies: 1042 | esrecurse "^4.1.0" 1043 | estraverse "^4.1.1" 1044 | 1045 | eslint@^4.12.0: 1046 | version "4.12.0" 1047 | resolved "https://registry.yarnpkg.com/eslint/-/eslint-4.12.0.tgz#a7ce78eba8cc8f2443acfbbc870cc31a65135884" 1048 | dependencies: 1049 | ajv "^5.3.0" 1050 | babel-code-frame "^6.22.0" 1051 | chalk "^2.1.0" 1052 | concat-stream "^1.6.0" 1053 | cross-spawn "^5.1.0" 1054 | debug "^3.0.1" 1055 | doctrine "^2.0.2" 1056 | eslint-scope "^3.7.1" 1057 | espree "^3.5.2" 1058 | esquery "^1.0.0" 1059 | estraverse "^4.2.0" 1060 | esutils "^2.0.2" 1061 | file-entry-cache "^2.0.0" 1062 | functional-red-black-tree "^1.0.1" 1063 | glob "^7.1.2" 1064 | globals "^11.0.1" 1065 | ignore "^3.3.3" 1066 | imurmurhash "^0.1.4" 1067 | inquirer "^3.0.6" 1068 | is-resolvable "^1.0.0" 1069 | js-yaml "^3.9.1" 1070 | json-stable-stringify-without-jsonify "^1.0.1" 1071 | levn "^0.3.0" 1072 | lodash "^4.17.4" 1073 | minimatch "^3.0.2" 1074 | mkdirp "^0.5.1" 1075 | natural-compare "^1.4.0" 1076 | optionator "^0.8.2" 1077 | path-is-inside "^1.0.2" 1078 | pluralize "^7.0.0" 1079 | progress "^2.0.0" 1080 | require-uncached "^1.0.3" 1081 | semver "^5.3.0" 1082 | strip-ansi "^4.0.0" 1083 | strip-json-comments "~2.0.1" 1084 | table "^4.0.1" 1085 | text-table "~0.2.0" 1086 | 1087 | espree@^3.5.2: 1088 | version "3.5.2" 1089 | resolved "https://registry.yarnpkg.com/espree/-/espree-3.5.2.tgz#756ada8b979e9dcfcdb30aad8d1a9304a905e1ca" 1090 | dependencies: 1091 | acorn "^5.2.1" 1092 | acorn-jsx "^3.0.0" 1093 | 1094 | esprima@^4.0.0: 1095 | version "4.0.0" 1096 | resolved "https://registry.yarnpkg.com/esprima/-/esprima-4.0.0.tgz#4499eddcd1110e0b218bacf2fa7f7f59f55ca804" 1097 | 1098 | esquery@^1.0.0: 1099 | version "1.0.0" 1100 | resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.0.0.tgz#cfba8b57d7fba93f17298a8a006a04cda13d80fa" 1101 | dependencies: 1102 | estraverse "^4.0.0" 1103 | 1104 | esrecurse@^4.1.0: 1105 | version "4.2.0" 1106 | resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.2.0.tgz#fa9568d98d3823f9a41d91e902dcab9ea6e5b163" 1107 | dependencies: 1108 | estraverse "^4.1.0" 1109 | object-assign "^4.0.1" 1110 | 1111 | estraverse@^4.0.0, estraverse@^4.1.0, estraverse@^4.1.1, estraverse@^4.2.0: 1112 | version "4.2.0" 1113 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.2.0.tgz#0dee3fed31fcd469618ce7342099fc1afa0bdb13" 1114 | 1115 | esutils@^2.0.2: 1116 | version "2.0.2" 1117 | resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.2.tgz#0abf4f1caa5bcb1f7a9d8acc6dea4faaa04bac9b" 1118 | 1119 | expand-brackets@^0.1.4: 1120 | version "0.1.5" 1121 | resolved "https://registry.yarnpkg.com/expand-brackets/-/expand-brackets-0.1.5.tgz#df07284e342a807cd733ac5af72411e581d1177b" 1122 | dependencies: 1123 | is-posix-bracket "^0.1.0" 1124 | 1125 | expand-range@^1.8.1: 1126 | version "1.8.2" 1127 | resolved "https://registry.yarnpkg.com/expand-range/-/expand-range-1.8.2.tgz#a299effd335fe2721ebae8e257ec79644fc85337" 1128 | dependencies: 1129 | fill-range "^2.1.0" 1130 | 1131 | extend@~3.0.0: 1132 | version "3.0.1" 1133 | resolved "https://registry.yarnpkg.com/extend/-/extend-3.0.1.tgz#a755ea7bc1adfcc5a31ce7e762dbaadc5e636444" 1134 | 1135 | external-editor@^2.0.4: 1136 | version "2.1.0" 1137 | resolved "https://registry.yarnpkg.com/external-editor/-/external-editor-2.1.0.tgz#3d026a21b7f95b5726387d4200ac160d372c3b48" 1138 | dependencies: 1139 | chardet "^0.4.0" 1140 | iconv-lite "^0.4.17" 1141 | tmp "^0.0.33" 1142 | 1143 | extglob@^0.3.1: 1144 | version "0.3.2" 1145 | resolved "https://registry.yarnpkg.com/extglob/-/extglob-0.3.2.tgz#2e18ff3d2f49ab2765cec9023f011daa8d8349a1" 1146 | dependencies: 1147 | is-extglob "^1.0.0" 1148 | 1149 | extsprintf@1.3.0, extsprintf@^1.2.0: 1150 | version "1.3.0" 1151 | resolved "https://registry.yarnpkg.com/extsprintf/-/extsprintf-1.3.0.tgz#96918440e3041a7a414f8c52e3c574eb3c3e1e05" 1152 | 1153 | fast-deep-equal@^1.0.0: 1154 | version "1.0.0" 1155 | resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-1.0.0.tgz#96256a3bc975595eb36d82e9929d060d893439ff" 1156 | 1157 | fast-json-stable-stringify@^2.0.0: 1158 | version "2.0.0" 1159 | resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.0.0.tgz#d5142c0caee6b1189f87d3a76111064f86c8bbf2" 1160 | 1161 | fast-levenshtein@~2.0.4: 1162 | version "2.0.6" 1163 | resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917" 1164 | 1165 | figures@^2.0.0: 1166 | version "2.0.0" 1167 | resolved "https://registry.yarnpkg.com/figures/-/figures-2.0.0.tgz#3ab1a2d2a62c8bfb431a0c94cb797a2fce27c962" 1168 | dependencies: 1169 | escape-string-regexp "^1.0.5" 1170 | 1171 | file-entry-cache@^2.0.0: 1172 | version "2.0.0" 1173 | resolved "https://registry.yarnpkg.com/file-entry-cache/-/file-entry-cache-2.0.0.tgz#c392990c3e684783d838b8c84a45d8a048458361" 1174 | dependencies: 1175 | flat-cache "^1.2.1" 1176 | object-assign "^4.0.1" 1177 | 1178 | filename-regex@^2.0.0: 1179 | version "2.0.1" 1180 | resolved "https://registry.yarnpkg.com/filename-regex/-/filename-regex-2.0.1.tgz#c1c4b9bee3e09725ddb106b75c1e301fe2f18b26" 1181 | 1182 | fill-range@^2.1.0: 1183 | version "2.2.3" 1184 | resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-2.2.3.tgz#50b77dfd7e469bc7492470963699fe7a8485a723" 1185 | dependencies: 1186 | is-number "^2.1.0" 1187 | isobject "^2.0.0" 1188 | randomatic "^1.1.3" 1189 | repeat-element "^1.1.2" 1190 | repeat-string "^1.5.2" 1191 | 1192 | find-up@^1.0.0: 1193 | version "1.1.2" 1194 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-1.1.2.tgz#6b2e9822b1a2ce0a60ab64d610eccad53cb24d0f" 1195 | dependencies: 1196 | path-exists "^2.0.0" 1197 | pinkie-promise "^2.0.0" 1198 | 1199 | find-up@^2.0.0: 1200 | version "2.1.0" 1201 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-2.1.0.tgz#45d1b7e506c717ddd482775a2b77920a3c0c57a7" 1202 | dependencies: 1203 | locate-path "^2.0.0" 1204 | 1205 | flat-cache@^1.2.1: 1206 | version "1.3.0" 1207 | resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-1.3.0.tgz#d3030b32b38154f4e3b7e9c709f490f7ef97c481" 1208 | dependencies: 1209 | circular-json "^0.3.1" 1210 | del "^2.0.2" 1211 | graceful-fs "^4.1.2" 1212 | write "^0.2.1" 1213 | 1214 | for-in@^1.0.1: 1215 | version "1.0.2" 1216 | resolved "https://registry.yarnpkg.com/for-in/-/for-in-1.0.2.tgz#81068d295a8142ec0ac726c6e2200c30fb6d5e80" 1217 | 1218 | for-own@^0.1.4: 1219 | version "0.1.5" 1220 | resolved "https://registry.yarnpkg.com/for-own/-/for-own-0.1.5.tgz#5265c681a4f294dabbf17c9509b6763aa84510ce" 1221 | dependencies: 1222 | for-in "^1.0.1" 1223 | 1224 | forever-agent@~0.6.1: 1225 | version "0.6.1" 1226 | resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91" 1227 | 1228 | form-data@~2.1.1: 1229 | version "2.1.4" 1230 | resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.1.4.tgz#33c183acf193276ecaa98143a69e94bfee1750d1" 1231 | dependencies: 1232 | asynckit "^0.4.0" 1233 | combined-stream "^1.0.5" 1234 | mime-types "^2.1.12" 1235 | 1236 | fs-readdir-recursive@^1.0.0: 1237 | version "1.1.0" 1238 | resolved "https://registry.yarnpkg.com/fs-readdir-recursive/-/fs-readdir-recursive-1.1.0.tgz#e32fc030a2ccee44a6b5371308da54be0b397d27" 1239 | 1240 | fs.realpath@^1.0.0: 1241 | version "1.0.0" 1242 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" 1243 | 1244 | fsevents@^1.0.0: 1245 | version "1.1.3" 1246 | resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-1.1.3.tgz#11f82318f5fe7bb2cd22965a108e9306208216d8" 1247 | dependencies: 1248 | nan "^2.3.0" 1249 | node-pre-gyp "^0.6.39" 1250 | 1251 | fstream-ignore@^1.0.5: 1252 | version "1.0.5" 1253 | resolved "https://registry.yarnpkg.com/fstream-ignore/-/fstream-ignore-1.0.5.tgz#9c31dae34767018fe1d249b24dada67d092da105" 1254 | dependencies: 1255 | fstream "^1.0.0" 1256 | inherits "2" 1257 | minimatch "^3.0.0" 1258 | 1259 | fstream@^1.0.0, fstream@^1.0.10, fstream@^1.0.2: 1260 | version "1.0.11" 1261 | resolved "https://registry.yarnpkg.com/fstream/-/fstream-1.0.11.tgz#5c1fb1f117477114f0632a0eb4b71b3cb0fd3171" 1262 | dependencies: 1263 | graceful-fs "^4.1.2" 1264 | inherits "~2.0.0" 1265 | mkdirp ">=0.5 0" 1266 | rimraf "2" 1267 | 1268 | function-bind@^1.0.2: 1269 | version "1.1.1" 1270 | resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d" 1271 | 1272 | functional-red-black-tree@^1.0.1: 1273 | version "1.0.1" 1274 | resolved "https://registry.yarnpkg.com/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz#1b0ab3bd553b2a0d6399d29c0e3ea0b252078327" 1275 | 1276 | gauge@~2.7.3: 1277 | version "2.7.4" 1278 | resolved "https://registry.yarnpkg.com/gauge/-/gauge-2.7.4.tgz#2c03405c7538c39d7eb37b317022e325fb018bf7" 1279 | dependencies: 1280 | aproba "^1.0.3" 1281 | console-control-strings "^1.0.0" 1282 | has-unicode "^2.0.0" 1283 | object-assign "^4.1.0" 1284 | signal-exit "^3.0.0" 1285 | string-width "^1.0.1" 1286 | strip-ansi "^3.0.1" 1287 | wide-align "^1.1.0" 1288 | 1289 | getpass@^0.1.1: 1290 | version "0.1.7" 1291 | resolved "https://registry.yarnpkg.com/getpass/-/getpass-0.1.7.tgz#5eff8e3e684d569ae4cb2b1282604e8ba62149fa" 1292 | dependencies: 1293 | assert-plus "^1.0.0" 1294 | 1295 | glob-base@^0.3.0: 1296 | version "0.3.0" 1297 | resolved "https://registry.yarnpkg.com/glob-base/-/glob-base-0.3.0.tgz#dbb164f6221b1c0b1ccf82aea328b497df0ea3c4" 1298 | dependencies: 1299 | glob-parent "^2.0.0" 1300 | is-glob "^2.0.0" 1301 | 1302 | glob-parent@^2.0.0: 1303 | version "2.0.0" 1304 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-2.0.0.tgz#81383d72db054fcccf5336daa902f182f6edbb28" 1305 | dependencies: 1306 | is-glob "^2.0.0" 1307 | 1308 | glob@^7.0.3, glob@^7.0.5, glob@^7.1.2: 1309 | version "7.1.2" 1310 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.2.tgz#c19c9df9a028702d678612384a6552404c636d15" 1311 | dependencies: 1312 | fs.realpath "^1.0.0" 1313 | inflight "^1.0.4" 1314 | inherits "2" 1315 | minimatch "^3.0.4" 1316 | once "^1.3.0" 1317 | path-is-absolute "^1.0.0" 1318 | 1319 | globals@^11.0.1: 1320 | version "11.0.1" 1321 | resolved "https://registry.yarnpkg.com/globals/-/globals-11.0.1.tgz#12a87bb010e5154396acc535e1e43fc753b0e5e8" 1322 | 1323 | globals@^9.18.0: 1324 | version "9.18.0" 1325 | resolved "https://registry.yarnpkg.com/globals/-/globals-9.18.0.tgz#aa3896b3e69b487f17e31ed2143d69a8e30c2d8a" 1326 | 1327 | globby@^5.0.0: 1328 | version "5.0.0" 1329 | resolved "https://registry.yarnpkg.com/globby/-/globby-5.0.0.tgz#ebd84667ca0dbb330b99bcfc68eac2bc54370e0d" 1330 | dependencies: 1331 | array-union "^1.0.1" 1332 | arrify "^1.0.0" 1333 | glob "^7.0.3" 1334 | object-assign "^4.0.1" 1335 | pify "^2.0.0" 1336 | pinkie-promise "^2.0.0" 1337 | 1338 | graceful-fs@^4.1.2, graceful-fs@^4.1.4: 1339 | version "4.1.11" 1340 | resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.1.11.tgz#0e8bdfe4d1ddb8854d64e04ea7c00e2a026e5658" 1341 | 1342 | har-schema@^1.0.5: 1343 | version "1.0.5" 1344 | resolved "https://registry.yarnpkg.com/har-schema/-/har-schema-1.0.5.tgz#d263135f43307c02c602afc8fe95970c0151369e" 1345 | 1346 | har-validator@~4.2.1: 1347 | version "4.2.1" 1348 | resolved "https://registry.yarnpkg.com/har-validator/-/har-validator-4.2.1.tgz#33481d0f1bbff600dd203d75812a6a5fba002e2a" 1349 | dependencies: 1350 | ajv "^4.9.1" 1351 | har-schema "^1.0.5" 1352 | 1353 | has-ansi@^2.0.0: 1354 | version "2.0.0" 1355 | resolved "https://registry.yarnpkg.com/has-ansi/-/has-ansi-2.0.0.tgz#34f5049ce1ecdf2b0649af3ef24e45ed35416d91" 1356 | dependencies: 1357 | ansi-regex "^2.0.0" 1358 | 1359 | has-flag@^2.0.0: 1360 | version "2.0.0" 1361 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-2.0.0.tgz#e8207af1cc7b30d446cc70b734b5e8be18f88d51" 1362 | 1363 | has-unicode@^2.0.0: 1364 | version "2.0.1" 1365 | resolved "https://registry.yarnpkg.com/has-unicode/-/has-unicode-2.0.1.tgz#e0e6fe6a28cf51138855e086d1691e771de2a8b9" 1366 | 1367 | has@^1.0.1: 1368 | version "1.0.1" 1369 | resolved "https://registry.yarnpkg.com/has/-/has-1.0.1.tgz#8461733f538b0837c9361e39a9ab9e9704dc2f28" 1370 | dependencies: 1371 | function-bind "^1.0.2" 1372 | 1373 | hawk@3.1.3, hawk@~3.1.3: 1374 | version "3.1.3" 1375 | resolved "https://registry.yarnpkg.com/hawk/-/hawk-3.1.3.tgz#078444bd7c1640b0fe540d2c9b73d59678e8e1c4" 1376 | dependencies: 1377 | boom "2.x.x" 1378 | cryptiles "2.x.x" 1379 | hoek "2.x.x" 1380 | sntp "1.x.x" 1381 | 1382 | hoek@2.x.x: 1383 | version "2.16.3" 1384 | resolved "https://registry.yarnpkg.com/hoek/-/hoek-2.16.3.tgz#20bb7403d3cea398e91dc4710a8ff1b8274a25ed" 1385 | 1386 | home-or-tmp@^2.0.0: 1387 | version "2.0.0" 1388 | resolved "https://registry.yarnpkg.com/home-or-tmp/-/home-or-tmp-2.0.0.tgz#e36c3f2d2cae7d746a857e38d18d5f32a7882db8" 1389 | dependencies: 1390 | os-homedir "^1.0.0" 1391 | os-tmpdir "^1.0.1" 1392 | 1393 | hosted-git-info@^2.1.4: 1394 | version "2.5.0" 1395 | resolved "https://registry.yarnpkg.com/hosted-git-info/-/hosted-git-info-2.5.0.tgz#6d60e34b3abbc8313062c3b798ef8d901a07af3c" 1396 | 1397 | http-signature@~1.1.0: 1398 | version "1.1.1" 1399 | resolved "https://registry.yarnpkg.com/http-signature/-/http-signature-1.1.1.tgz#df72e267066cd0ac67fb76adf8e134a8fbcf91bf" 1400 | dependencies: 1401 | assert-plus "^0.2.0" 1402 | jsprim "^1.2.2" 1403 | sshpk "^1.7.0" 1404 | 1405 | iconv-lite@^0.4.17: 1406 | version "0.4.19" 1407 | resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.19.tgz#f7468f60135f5e5dad3399c0a81be9a1603a082b" 1408 | 1409 | ignore@^3.3.3: 1410 | version "3.3.7" 1411 | resolved "https://registry.yarnpkg.com/ignore/-/ignore-3.3.7.tgz#612289bfb3c220e186a58118618d5be8c1bab021" 1412 | 1413 | imurmurhash@^0.1.4: 1414 | version "0.1.4" 1415 | resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea" 1416 | 1417 | inflight@^1.0.4: 1418 | version "1.0.6" 1419 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9" 1420 | dependencies: 1421 | once "^1.3.0" 1422 | wrappy "1" 1423 | 1424 | inherits@2, inherits@^2.0.1, inherits@^2.0.3, inherits@~2.0.0, inherits@~2.0.3: 1425 | version "2.0.3" 1426 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de" 1427 | 1428 | ini@~1.3.0: 1429 | version "1.3.5" 1430 | resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.5.tgz#eee25f56db1c9ec6085e0c22778083f596abf927" 1431 | 1432 | inquirer@^3.0.6: 1433 | version "3.3.0" 1434 | resolved "https://registry.yarnpkg.com/inquirer/-/inquirer-3.3.0.tgz#9dd2f2ad765dcab1ff0443b491442a20ba227dc9" 1435 | dependencies: 1436 | ansi-escapes "^3.0.0" 1437 | chalk "^2.0.0" 1438 | cli-cursor "^2.1.0" 1439 | cli-width "^2.0.0" 1440 | external-editor "^2.0.4" 1441 | figures "^2.0.0" 1442 | lodash "^4.3.0" 1443 | mute-stream "0.0.7" 1444 | run-async "^2.2.0" 1445 | rx-lite "^4.0.8" 1446 | rx-lite-aggregates "^4.0.8" 1447 | string-width "^2.1.0" 1448 | strip-ansi "^4.0.0" 1449 | through "^2.3.6" 1450 | 1451 | invariant@^2.2.2: 1452 | version "2.2.2" 1453 | resolved "https://registry.yarnpkg.com/invariant/-/invariant-2.2.2.tgz#9e1f56ac0acdb6bf303306f338be3b204ae60360" 1454 | dependencies: 1455 | loose-envify "^1.0.0" 1456 | 1457 | is-arrayish@^0.2.1: 1458 | version "0.2.1" 1459 | resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.2.1.tgz#77c99840527aa8ecb1a8ba697b80645a7a926a9d" 1460 | 1461 | is-binary-path@^1.0.0: 1462 | version "1.0.1" 1463 | resolved "https://registry.yarnpkg.com/is-binary-path/-/is-binary-path-1.0.1.tgz#75f16642b480f187a711c814161fd3a4a7655898" 1464 | dependencies: 1465 | binary-extensions "^1.0.0" 1466 | 1467 | is-buffer@^1.1.5: 1468 | version "1.1.6" 1469 | resolved "https://registry.yarnpkg.com/is-buffer/-/is-buffer-1.1.6.tgz#efaa2ea9daa0d7ab2ea13a97b2b8ad51fefbe8be" 1470 | 1471 | is-builtin-module@^1.0.0: 1472 | version "1.0.0" 1473 | resolved "https://registry.yarnpkg.com/is-builtin-module/-/is-builtin-module-1.0.0.tgz#540572d34f7ac3119f8f76c30cbc1b1e037affbe" 1474 | dependencies: 1475 | builtin-modules "^1.0.0" 1476 | 1477 | is-dotfile@^1.0.0: 1478 | version "1.0.3" 1479 | resolved "https://registry.yarnpkg.com/is-dotfile/-/is-dotfile-1.0.3.tgz#a6a2f32ffd2dfb04f5ca25ecd0f6b83cf798a1e1" 1480 | 1481 | is-equal-shallow@^0.1.3: 1482 | version "0.1.3" 1483 | resolved "https://registry.yarnpkg.com/is-equal-shallow/-/is-equal-shallow-0.1.3.tgz#2238098fc221de0bcfa5d9eac4c45d638aa1c534" 1484 | dependencies: 1485 | is-primitive "^2.0.0" 1486 | 1487 | is-extendable@^0.1.1: 1488 | version "0.1.1" 1489 | resolved "https://registry.yarnpkg.com/is-extendable/-/is-extendable-0.1.1.tgz#62b110e289a471418e3ec36a617d472e301dfc89" 1490 | 1491 | is-extglob@^1.0.0: 1492 | version "1.0.0" 1493 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-1.0.0.tgz#ac468177c4943405a092fc8f29760c6ffc6206c0" 1494 | 1495 | is-finite@^1.0.0: 1496 | version "1.0.2" 1497 | resolved "https://registry.yarnpkg.com/is-finite/-/is-finite-1.0.2.tgz#cc6677695602be550ef11e8b4aa6305342b6d0aa" 1498 | dependencies: 1499 | number-is-nan "^1.0.0" 1500 | 1501 | is-fullwidth-code-point@^1.0.0: 1502 | version "1.0.0" 1503 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-1.0.0.tgz#ef9e31386f031a7f0d643af82fde50c457ef00cb" 1504 | dependencies: 1505 | number-is-nan "^1.0.0" 1506 | 1507 | is-fullwidth-code-point@^2.0.0: 1508 | version "2.0.0" 1509 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f" 1510 | 1511 | is-glob@^2.0.0, is-glob@^2.0.1: 1512 | version "2.0.1" 1513 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-2.0.1.tgz#d096f926a3ded5600f3fdfd91198cb0888c2d863" 1514 | dependencies: 1515 | is-extglob "^1.0.0" 1516 | 1517 | is-number@^2.1.0: 1518 | version "2.1.0" 1519 | resolved "https://registry.yarnpkg.com/is-number/-/is-number-2.1.0.tgz#01fcbbb393463a548f2f466cce16dece49db908f" 1520 | dependencies: 1521 | kind-of "^3.0.2" 1522 | 1523 | is-number@^3.0.0: 1524 | version "3.0.0" 1525 | resolved "https://registry.yarnpkg.com/is-number/-/is-number-3.0.0.tgz#24fd6201a4782cf50561c810276afc7d12d71195" 1526 | dependencies: 1527 | kind-of "^3.0.2" 1528 | 1529 | is-path-cwd@^1.0.0: 1530 | version "1.0.0" 1531 | resolved "https://registry.yarnpkg.com/is-path-cwd/-/is-path-cwd-1.0.0.tgz#d225ec23132e89edd38fda767472e62e65f1106d" 1532 | 1533 | is-path-in-cwd@^1.0.0: 1534 | version "1.0.0" 1535 | resolved "https://registry.yarnpkg.com/is-path-in-cwd/-/is-path-in-cwd-1.0.0.tgz#6477582b8214d602346094567003be8a9eac04dc" 1536 | dependencies: 1537 | is-path-inside "^1.0.0" 1538 | 1539 | is-path-inside@^1.0.0: 1540 | version "1.0.0" 1541 | resolved "https://registry.yarnpkg.com/is-path-inside/-/is-path-inside-1.0.0.tgz#fc06e5a1683fbda13de667aff717bbc10a48f37f" 1542 | dependencies: 1543 | path-is-inside "^1.0.1" 1544 | 1545 | is-posix-bracket@^0.1.0: 1546 | version "0.1.1" 1547 | resolved "https://registry.yarnpkg.com/is-posix-bracket/-/is-posix-bracket-0.1.1.tgz#3334dc79774368e92f016e6fbc0a88f5cd6e6bc4" 1548 | 1549 | is-primitive@^2.0.0: 1550 | version "2.0.0" 1551 | resolved "https://registry.yarnpkg.com/is-primitive/-/is-primitive-2.0.0.tgz#207bab91638499c07b2adf240a41a87210034575" 1552 | 1553 | is-promise@^2.1.0: 1554 | version "2.1.0" 1555 | resolved "https://registry.yarnpkg.com/is-promise/-/is-promise-2.1.0.tgz#79a2a9ece7f096e80f36d2b2f3bc16c1ff4bf3fa" 1556 | 1557 | is-resolvable@^1.0.0: 1558 | version "1.0.0" 1559 | resolved "https://registry.yarnpkg.com/is-resolvable/-/is-resolvable-1.0.0.tgz#8df57c61ea2e3c501408d100fb013cf8d6e0cc62" 1560 | dependencies: 1561 | tryit "^1.0.1" 1562 | 1563 | is-typedarray@~1.0.0: 1564 | version "1.0.0" 1565 | resolved "https://registry.yarnpkg.com/is-typedarray/-/is-typedarray-1.0.0.tgz#e479c80858df0c1b11ddda6940f96011fcda4a9a" 1566 | 1567 | isarray@1.0.0, isarray@^1.0.0, isarray@~1.0.0: 1568 | version "1.0.0" 1569 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" 1570 | 1571 | isexe@^2.0.0: 1572 | version "2.0.0" 1573 | resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10" 1574 | 1575 | isobject@^2.0.0: 1576 | version "2.1.0" 1577 | resolved "https://registry.yarnpkg.com/isobject/-/isobject-2.1.0.tgz#f065561096a3f1da2ef46272f815c840d87e0c89" 1578 | dependencies: 1579 | isarray "1.0.0" 1580 | 1581 | isstream@~0.1.2: 1582 | version "0.1.2" 1583 | resolved "https://registry.yarnpkg.com/isstream/-/isstream-0.1.2.tgz#47e63f7af55afa6f92e1500e690eb8b8529c099a" 1584 | 1585 | js-tokens@^3.0.0, js-tokens@^3.0.2: 1586 | version "3.0.2" 1587 | resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-3.0.2.tgz#9866df395102130e38f7f996bceb65443209c25b" 1588 | 1589 | js-yaml@^3.9.1: 1590 | version "3.10.0" 1591 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-3.10.0.tgz#2e78441646bd4682e963f22b6e92823c309c62dc" 1592 | dependencies: 1593 | argparse "^1.0.7" 1594 | esprima "^4.0.0" 1595 | 1596 | jsbn@~0.1.0: 1597 | version "0.1.1" 1598 | resolved "https://registry.yarnpkg.com/jsbn/-/jsbn-0.1.1.tgz#a5e654c2e5a2deb5f201d96cefbca80c0ef2f513" 1599 | 1600 | jsesc@^1.3.0: 1601 | version "1.3.0" 1602 | resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-1.3.0.tgz#46c3fec8c1892b12b0833db9bc7622176dbab34b" 1603 | 1604 | jsesc@~0.5.0: 1605 | version "0.5.0" 1606 | resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-0.5.0.tgz#e7dee66e35d6fc16f710fe91d5cf69f70f08911d" 1607 | 1608 | json-schema-traverse@^0.3.0: 1609 | version "0.3.1" 1610 | resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.3.1.tgz#349a6d44c53a51de89b40805c5d5e59b417d3340" 1611 | 1612 | json-schema@0.2.3: 1613 | version "0.2.3" 1614 | resolved "https://registry.yarnpkg.com/json-schema/-/json-schema-0.2.3.tgz#b480c892e59a2f05954ce727bd3f2a4e882f9e13" 1615 | 1616 | json-stable-stringify-without-jsonify@^1.0.1: 1617 | version "1.0.1" 1618 | resolved "https://registry.yarnpkg.com/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz#9db7b59496ad3f3cfef30a75142d2d930ad72651" 1619 | 1620 | json-stable-stringify@^1.0.1: 1621 | version "1.0.1" 1622 | resolved "https://registry.yarnpkg.com/json-stable-stringify/-/json-stable-stringify-1.0.1.tgz#9a759d39c5f2ff503fd5300646ed445f88c4f9af" 1623 | dependencies: 1624 | jsonify "~0.0.0" 1625 | 1626 | json-stringify-safe@~5.0.1: 1627 | version "5.0.1" 1628 | resolved "https://registry.yarnpkg.com/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz#1296a2d58fd45f19a0f6ce01d65701e2c735b6eb" 1629 | 1630 | json5@^0.5.1: 1631 | version "0.5.1" 1632 | resolved "https://registry.yarnpkg.com/json5/-/json5-0.5.1.tgz#1eade7acc012034ad84e2396767ead9fa5495821" 1633 | 1634 | jsonify@~0.0.0: 1635 | version "0.0.0" 1636 | resolved "https://registry.yarnpkg.com/jsonify/-/jsonify-0.0.0.tgz#2c74b6ee41d93ca51b7b5aaee8f503631d252a73" 1637 | 1638 | jsprim@^1.2.2: 1639 | version "1.4.1" 1640 | resolved "https://registry.yarnpkg.com/jsprim/-/jsprim-1.4.1.tgz#313e66bc1e5cc06e438bc1b7499c2e5c56acb6a2" 1641 | dependencies: 1642 | assert-plus "1.0.0" 1643 | extsprintf "1.3.0" 1644 | json-schema "0.2.3" 1645 | verror "1.10.0" 1646 | 1647 | kind-of@^3.0.2: 1648 | version "3.2.2" 1649 | resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-3.2.2.tgz#31ea21a734bab9bbb0f32466d893aea51e4a3c64" 1650 | dependencies: 1651 | is-buffer "^1.1.5" 1652 | 1653 | kind-of@^4.0.0: 1654 | version "4.0.0" 1655 | resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-4.0.0.tgz#20813df3d712928b207378691a45066fae72dd57" 1656 | dependencies: 1657 | is-buffer "^1.1.5" 1658 | 1659 | levn@^0.3.0, levn@~0.3.0: 1660 | version "0.3.0" 1661 | resolved "https://registry.yarnpkg.com/levn/-/levn-0.3.0.tgz#3b09924edf9f083c0490fdd4c0bc4421e04764ee" 1662 | dependencies: 1663 | prelude-ls "~1.1.2" 1664 | type-check "~0.3.2" 1665 | 1666 | load-json-file@^2.0.0: 1667 | version "2.0.0" 1668 | resolved "https://registry.yarnpkg.com/load-json-file/-/load-json-file-2.0.0.tgz#7947e42149af80d696cbf797bcaabcfe1fe29ca8" 1669 | dependencies: 1670 | graceful-fs "^4.1.2" 1671 | parse-json "^2.2.0" 1672 | pify "^2.0.0" 1673 | strip-bom "^3.0.0" 1674 | 1675 | locate-path@^2.0.0: 1676 | version "2.0.0" 1677 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-2.0.0.tgz#2b568b265eec944c6d9c0de9c3dbbbca0354cd8e" 1678 | dependencies: 1679 | p-locate "^2.0.0" 1680 | path-exists "^3.0.0" 1681 | 1682 | lodash.cond@^4.3.0: 1683 | version "4.5.2" 1684 | resolved "https://registry.yarnpkg.com/lodash.cond/-/lodash.cond-4.5.2.tgz#f471a1da486be60f6ab955d17115523dd1d255d5" 1685 | 1686 | lodash@^4.17.4, lodash@^4.3.0: 1687 | version "4.17.4" 1688 | resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.4.tgz#78203a4d1c328ae1d86dca6460e369b57f4055ae" 1689 | 1690 | loose-envify@^1.0.0: 1691 | version "1.3.1" 1692 | resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.3.1.tgz#d1a8ad33fa9ce0e713d65fdd0ac8b748d478c848" 1693 | dependencies: 1694 | js-tokens "^3.0.0" 1695 | 1696 | lru-cache@^4.0.1: 1697 | version "4.1.1" 1698 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-4.1.1.tgz#622e32e82488b49279114a4f9ecf45e7cd6bba55" 1699 | dependencies: 1700 | pseudomap "^1.0.2" 1701 | yallist "^2.1.2" 1702 | 1703 | micromatch@^2.1.5: 1704 | version "2.3.11" 1705 | resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-2.3.11.tgz#86677c97d1720b363431d04d0d15293bd38c1565" 1706 | dependencies: 1707 | arr-diff "^2.0.0" 1708 | array-unique "^0.2.1" 1709 | braces "^1.8.2" 1710 | expand-brackets "^0.1.4" 1711 | extglob "^0.3.1" 1712 | filename-regex "^2.0.0" 1713 | is-extglob "^1.0.0" 1714 | is-glob "^2.0.1" 1715 | kind-of "^3.0.2" 1716 | normalize-path "^2.0.1" 1717 | object.omit "^2.0.0" 1718 | parse-glob "^3.0.4" 1719 | regex-cache "^0.4.2" 1720 | 1721 | mime-db@~1.30.0: 1722 | version "1.30.0" 1723 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.30.0.tgz#74c643da2dd9d6a45399963465b26d5ca7d71f01" 1724 | 1725 | mime-types@^2.1.12, mime-types@~2.1.7: 1726 | version "2.1.17" 1727 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.17.tgz#09d7a393f03e995a79f8af857b70a9e0ab16557a" 1728 | dependencies: 1729 | mime-db "~1.30.0" 1730 | 1731 | mimic-fn@^1.0.0: 1732 | version "1.1.0" 1733 | resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-1.1.0.tgz#e667783d92e89dbd342818b5230b9d62a672ad18" 1734 | 1735 | minimatch@^3.0.0, minimatch@^3.0.2, minimatch@^3.0.3, minimatch@^3.0.4: 1736 | version "3.0.4" 1737 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083" 1738 | dependencies: 1739 | brace-expansion "^1.1.7" 1740 | 1741 | minimist@0.0.8: 1742 | version "0.0.8" 1743 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.8.tgz#857fcabfc3397d2625b8228262e86aa7a011b05d" 1744 | 1745 | minimist@^1.2.0: 1746 | version "1.2.0" 1747 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.0.tgz#a35008b20f41383eec1fb914f4cd5df79a264284" 1748 | 1749 | "mkdirp@>=0.5 0", mkdirp@^0.5.1: 1750 | version "0.5.1" 1751 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.1.tgz#30057438eac6cf7f8c4767f38648d6697d75c903" 1752 | dependencies: 1753 | minimist "0.0.8" 1754 | 1755 | ms@2.0.0: 1756 | version "2.0.0" 1757 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8" 1758 | 1759 | mute-stream@0.0.7: 1760 | version "0.0.7" 1761 | resolved "https://registry.yarnpkg.com/mute-stream/-/mute-stream-0.0.7.tgz#3075ce93bc21b8fab43e1bc4da7e8115ed1e7bab" 1762 | 1763 | nan@^2.3.0: 1764 | version "2.8.0" 1765 | resolved "https://registry.yarnpkg.com/nan/-/nan-2.8.0.tgz#ed715f3fe9de02b57a5e6252d90a96675e1f085a" 1766 | 1767 | natural-compare@^1.4.0: 1768 | version "1.4.0" 1769 | resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7" 1770 | 1771 | node-pre-gyp@^0.6.39: 1772 | version "0.6.39" 1773 | resolved "https://registry.yarnpkg.com/node-pre-gyp/-/node-pre-gyp-0.6.39.tgz#c00e96860b23c0e1420ac7befc5044e1d78d8649" 1774 | dependencies: 1775 | detect-libc "^1.0.2" 1776 | hawk "3.1.3" 1777 | mkdirp "^0.5.1" 1778 | nopt "^4.0.1" 1779 | npmlog "^4.0.2" 1780 | rc "^1.1.7" 1781 | request "2.81.0" 1782 | rimraf "^2.6.1" 1783 | semver "^5.3.0" 1784 | tar "^2.2.1" 1785 | tar-pack "^3.4.0" 1786 | 1787 | nopt@^4.0.1: 1788 | version "4.0.1" 1789 | resolved "https://registry.yarnpkg.com/nopt/-/nopt-4.0.1.tgz#d0d4685afd5415193c8c7505602d0d17cd64474d" 1790 | dependencies: 1791 | abbrev "1" 1792 | osenv "^0.1.4" 1793 | 1794 | normalize-package-data@^2.3.2: 1795 | version "2.4.0" 1796 | resolved "https://registry.yarnpkg.com/normalize-package-data/-/normalize-package-data-2.4.0.tgz#12f95a307d58352075a04907b84ac8be98ac012f" 1797 | dependencies: 1798 | hosted-git-info "^2.1.4" 1799 | is-builtin-module "^1.0.0" 1800 | semver "2 || 3 || 4 || 5" 1801 | validate-npm-package-license "^3.0.1" 1802 | 1803 | normalize-path@^2.0.0, normalize-path@^2.0.1: 1804 | version "2.1.1" 1805 | resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-2.1.1.tgz#1ab28b556e198363a8c1a6f7e6fa20137fe6aed9" 1806 | dependencies: 1807 | remove-trailing-separator "^1.0.1" 1808 | 1809 | npmlog@^4.0.2: 1810 | version "4.1.2" 1811 | resolved "https://registry.yarnpkg.com/npmlog/-/npmlog-4.1.2.tgz#08a7f2a8bf734604779a9efa4ad5cc717abb954b" 1812 | dependencies: 1813 | are-we-there-yet "~1.1.2" 1814 | console-control-strings "~1.1.0" 1815 | gauge "~2.7.3" 1816 | set-blocking "~2.0.0" 1817 | 1818 | number-is-nan@^1.0.0: 1819 | version "1.0.1" 1820 | resolved "https://registry.yarnpkg.com/number-is-nan/-/number-is-nan-1.0.1.tgz#097b602b53422a522c1afb8790318336941a011d" 1821 | 1822 | oauth-sign@~0.8.1: 1823 | version "0.8.2" 1824 | resolved "https://registry.yarnpkg.com/oauth-sign/-/oauth-sign-0.8.2.tgz#46a6ab7f0aead8deae9ec0565780b7d4efeb9d43" 1825 | 1826 | object-assign@^4.0.1, object-assign@^4.1.0: 1827 | version "4.1.1" 1828 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863" 1829 | 1830 | object.omit@^2.0.0: 1831 | version "2.0.1" 1832 | resolved "https://registry.yarnpkg.com/object.omit/-/object.omit-2.0.1.tgz#1a9c744829f39dbb858c76ca3579ae2a54ebd1fa" 1833 | dependencies: 1834 | for-own "^0.1.4" 1835 | is-extendable "^0.1.1" 1836 | 1837 | once@^1.3.0, once@^1.3.3: 1838 | version "1.4.0" 1839 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" 1840 | dependencies: 1841 | wrappy "1" 1842 | 1843 | onetime@^2.0.0: 1844 | version "2.0.1" 1845 | resolved "https://registry.yarnpkg.com/onetime/-/onetime-2.0.1.tgz#067428230fd67443b2794b22bba528b6867962d4" 1846 | dependencies: 1847 | mimic-fn "^1.0.0" 1848 | 1849 | optionator@^0.8.2: 1850 | version "0.8.2" 1851 | resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.8.2.tgz#364c5e409d3f4d6301d6c0b4c05bba50180aeb64" 1852 | dependencies: 1853 | deep-is "~0.1.3" 1854 | fast-levenshtein "~2.0.4" 1855 | levn "~0.3.0" 1856 | prelude-ls "~1.1.2" 1857 | type-check "~0.3.2" 1858 | wordwrap "~1.0.0" 1859 | 1860 | os-homedir@^1.0.0: 1861 | version "1.0.2" 1862 | resolved "https://registry.yarnpkg.com/os-homedir/-/os-homedir-1.0.2.tgz#ffbc4988336e0e833de0c168c7ef152121aa7fb3" 1863 | 1864 | os-tmpdir@^1.0.0, os-tmpdir@^1.0.1, os-tmpdir@~1.0.2: 1865 | version "1.0.2" 1866 | resolved "https://registry.yarnpkg.com/os-tmpdir/-/os-tmpdir-1.0.2.tgz#bbe67406c79aa85c5cfec766fe5734555dfa1274" 1867 | 1868 | osenv@^0.1.4: 1869 | version "0.1.4" 1870 | resolved "https://registry.yarnpkg.com/osenv/-/osenv-0.1.4.tgz#42fe6d5953df06c8064be6f176c3d05aaaa34644" 1871 | dependencies: 1872 | os-homedir "^1.0.0" 1873 | os-tmpdir "^1.0.0" 1874 | 1875 | output-file-sync@^1.1.2: 1876 | version "1.1.2" 1877 | resolved "https://registry.yarnpkg.com/output-file-sync/-/output-file-sync-1.1.2.tgz#d0a33eefe61a205facb90092e826598d5245ce76" 1878 | dependencies: 1879 | graceful-fs "^4.1.4" 1880 | mkdirp "^0.5.1" 1881 | object-assign "^4.1.0" 1882 | 1883 | p-limit@^1.1.0: 1884 | version "1.1.0" 1885 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-1.1.0.tgz#b07ff2d9a5d88bec806035895a2bab66a27988bc" 1886 | 1887 | p-locate@^2.0.0: 1888 | version "2.0.0" 1889 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-2.0.0.tgz#20a0103b222a70c8fd39cc2e580680f3dde5ec43" 1890 | dependencies: 1891 | p-limit "^1.1.0" 1892 | 1893 | parse-glob@^3.0.4: 1894 | version "3.0.4" 1895 | resolved "https://registry.yarnpkg.com/parse-glob/-/parse-glob-3.0.4.tgz#b2c376cfb11f35513badd173ef0bb6e3a388391c" 1896 | dependencies: 1897 | glob-base "^0.3.0" 1898 | is-dotfile "^1.0.0" 1899 | is-extglob "^1.0.0" 1900 | is-glob "^2.0.0" 1901 | 1902 | parse-json@^2.2.0: 1903 | version "2.2.0" 1904 | resolved "https://registry.yarnpkg.com/parse-json/-/parse-json-2.2.0.tgz#f480f40434ef80741f8469099f8dea18f55a4dc9" 1905 | dependencies: 1906 | error-ex "^1.2.0" 1907 | 1908 | path-exists@^2.0.0: 1909 | version "2.1.0" 1910 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-2.1.0.tgz#0feb6c64f0fc518d9a754dd5efb62c7022761f4b" 1911 | dependencies: 1912 | pinkie-promise "^2.0.0" 1913 | 1914 | path-exists@^3.0.0: 1915 | version "3.0.0" 1916 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-3.0.0.tgz#ce0ebeaa5f78cb18925ea7d810d7b59b010fd515" 1917 | 1918 | path-is-absolute@^1.0.0, path-is-absolute@^1.0.1: 1919 | version "1.0.1" 1920 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" 1921 | 1922 | path-is-inside@^1.0.1, path-is-inside@^1.0.2: 1923 | version "1.0.2" 1924 | resolved "https://registry.yarnpkg.com/path-is-inside/-/path-is-inside-1.0.2.tgz#365417dede44430d1c11af61027facf074bdfc53" 1925 | 1926 | path-parse@^1.0.5: 1927 | version "1.0.5" 1928 | resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.5.tgz#3c1adf871ea9cd6c9431b6ea2bd74a0ff055c4c1" 1929 | 1930 | path-type@^2.0.0: 1931 | version "2.0.0" 1932 | resolved "https://registry.yarnpkg.com/path-type/-/path-type-2.0.0.tgz#f012ccb8415b7096fc2daa1054c3d72389594c73" 1933 | dependencies: 1934 | pify "^2.0.0" 1935 | 1936 | performance-now@^0.2.0: 1937 | version "0.2.0" 1938 | resolved "https://registry.yarnpkg.com/performance-now/-/performance-now-0.2.0.tgz#33ef30c5c77d4ea21c5a53869d91b56d8f2555e5" 1939 | 1940 | pify@^2.0.0: 1941 | version "2.3.0" 1942 | resolved "https://registry.yarnpkg.com/pify/-/pify-2.3.0.tgz#ed141a6ac043a849ea588498e7dca8b15330e90c" 1943 | 1944 | pinkie-promise@^2.0.0: 1945 | version "2.0.1" 1946 | resolved "https://registry.yarnpkg.com/pinkie-promise/-/pinkie-promise-2.0.1.tgz#2135d6dfa7a358c069ac9b178776288228450ffa" 1947 | dependencies: 1948 | pinkie "^2.0.0" 1949 | 1950 | pinkie@^2.0.0: 1951 | version "2.0.4" 1952 | resolved "https://registry.yarnpkg.com/pinkie/-/pinkie-2.0.4.tgz#72556b80cfa0d48a974e80e77248e80ed4f7f870" 1953 | 1954 | pkg-dir@^1.0.0: 1955 | version "1.0.0" 1956 | resolved "https://registry.yarnpkg.com/pkg-dir/-/pkg-dir-1.0.0.tgz#7a4b508a8d5bb2d629d447056ff4e9c9314cf3d4" 1957 | dependencies: 1958 | find-up "^1.0.0" 1959 | 1960 | pluralize@^7.0.0: 1961 | version "7.0.0" 1962 | resolved "https://registry.yarnpkg.com/pluralize/-/pluralize-7.0.0.tgz#298b89df8b93b0221dbf421ad2b1b1ea23fc6777" 1963 | 1964 | prelude-ls@~1.1.2: 1965 | version "1.1.2" 1966 | resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.1.2.tgz#21932a549f5e52ffd9a827f570e04be62a97da54" 1967 | 1968 | preserve@^0.2.0: 1969 | version "0.2.0" 1970 | resolved "https://registry.yarnpkg.com/preserve/-/preserve-0.2.0.tgz#815ed1f6ebc65926f865b310c0713bcb3315ce4b" 1971 | 1972 | private@^0.1.6, private@^0.1.7: 1973 | version "0.1.8" 1974 | resolved "https://registry.yarnpkg.com/private/-/private-0.1.8.tgz#2381edb3689f7a53d653190060fcf822d2f368ff" 1975 | 1976 | process-nextick-args@~1.0.6: 1977 | version "1.0.7" 1978 | resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-1.0.7.tgz#150e20b756590ad3f91093f25a4f2ad8bff30ba3" 1979 | 1980 | progress@^2.0.0: 1981 | version "2.0.0" 1982 | resolved "https://registry.yarnpkg.com/progress/-/progress-2.0.0.tgz#8a1be366bf8fc23db2bd23f10c6fe920b4389d1f" 1983 | 1984 | pseudomap@^1.0.2: 1985 | version "1.0.2" 1986 | resolved "https://registry.yarnpkg.com/pseudomap/-/pseudomap-1.0.2.tgz#f052a28da70e618917ef0a8ac34c1ae5a68286b3" 1987 | 1988 | punycode@^1.4.1: 1989 | version "1.4.1" 1990 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.4.1.tgz#c0d5a63b2718800ad8e1eb0fa5269c84dd41845e" 1991 | 1992 | qs@~6.4.0: 1993 | version "6.4.0" 1994 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.4.0.tgz#13e26d28ad6b0ffaa91312cd3bf708ed351e7233" 1995 | 1996 | ramda@^0.25.0: 1997 | version "0.25.0" 1998 | resolved "https://registry.yarnpkg.com/ramda/-/ramda-0.25.0.tgz#8fdf68231cffa90bc2f9460390a0cb74a29b29a9" 1999 | 2000 | randomatic@^1.1.3: 2001 | version "1.1.7" 2002 | resolved "https://registry.yarnpkg.com/randomatic/-/randomatic-1.1.7.tgz#c7abe9cc8b87c0baa876b19fde83fd464797e38c" 2003 | dependencies: 2004 | is-number "^3.0.0" 2005 | kind-of "^4.0.0" 2006 | 2007 | rc@^1.1.7: 2008 | version "1.2.2" 2009 | resolved "https://registry.yarnpkg.com/rc/-/rc-1.2.2.tgz#d8ce9cb57e8d64d9c7badd9876c7c34cbe3c7077" 2010 | dependencies: 2011 | deep-extend "~0.4.0" 2012 | ini "~1.3.0" 2013 | minimist "^1.2.0" 2014 | strip-json-comments "~2.0.1" 2015 | 2016 | read-pkg-up@^2.0.0: 2017 | version "2.0.0" 2018 | resolved "https://registry.yarnpkg.com/read-pkg-up/-/read-pkg-up-2.0.0.tgz#6b72a8048984e0c41e79510fd5e9fa99b3b549be" 2019 | dependencies: 2020 | find-up "^2.0.0" 2021 | read-pkg "^2.0.0" 2022 | 2023 | read-pkg@^2.0.0: 2024 | version "2.0.0" 2025 | resolved "https://registry.yarnpkg.com/read-pkg/-/read-pkg-2.0.0.tgz#8ef1c0623c6a6db0dc6713c4bfac46332b2368f8" 2026 | dependencies: 2027 | load-json-file "^2.0.0" 2028 | normalize-package-data "^2.3.2" 2029 | path-type "^2.0.0" 2030 | 2031 | readable-stream@^2.0.2, readable-stream@^2.0.6, readable-stream@^2.1.4, readable-stream@^2.2.2: 2032 | version "2.3.3" 2033 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.3.tgz#368f2512d79f9d46fdfc71349ae7878bbc1eb95c" 2034 | dependencies: 2035 | core-util-is "~1.0.0" 2036 | inherits "~2.0.3" 2037 | isarray "~1.0.0" 2038 | process-nextick-args "~1.0.6" 2039 | safe-buffer "~5.1.1" 2040 | string_decoder "~1.0.3" 2041 | util-deprecate "~1.0.1" 2042 | 2043 | readdirp@^2.0.0: 2044 | version "2.1.0" 2045 | resolved "https://registry.yarnpkg.com/readdirp/-/readdirp-2.1.0.tgz#4ed0ad060df3073300c48440373f72d1cc642d78" 2046 | dependencies: 2047 | graceful-fs "^4.1.2" 2048 | minimatch "^3.0.2" 2049 | readable-stream "^2.0.2" 2050 | set-immediate-shim "^1.0.1" 2051 | 2052 | regenerate@^1.2.1: 2053 | version "1.3.3" 2054 | resolved "https://registry.yarnpkg.com/regenerate/-/regenerate-1.3.3.tgz#0c336d3980553d755c39b586ae3b20aa49c82b7f" 2055 | 2056 | regenerator-runtime@^0.10.5: 2057 | version "0.10.5" 2058 | resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.10.5.tgz#336c3efc1220adcedda2c9fab67b5a7955a33658" 2059 | 2060 | regenerator-runtime@^0.11.0: 2061 | version "0.11.0" 2062 | resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.11.0.tgz#7e54fe5b5ccd5d6624ea6255c3473be090b802e1" 2063 | 2064 | regenerator-transform@^0.10.0: 2065 | version "0.10.1" 2066 | resolved "https://registry.yarnpkg.com/regenerator-transform/-/regenerator-transform-0.10.1.tgz#1e4996837231da8b7f3cf4114d71b5691a0680dd" 2067 | dependencies: 2068 | babel-runtime "^6.18.0" 2069 | babel-types "^6.19.0" 2070 | private "^0.1.6" 2071 | 2072 | regex-cache@^0.4.2: 2073 | version "0.4.4" 2074 | resolved "https://registry.yarnpkg.com/regex-cache/-/regex-cache-0.4.4.tgz#75bdc58a2a1496cec48a12835bc54c8d562336dd" 2075 | dependencies: 2076 | is-equal-shallow "^0.1.3" 2077 | 2078 | regexpu-core@^2.0.0: 2079 | version "2.0.0" 2080 | resolved "https://registry.yarnpkg.com/regexpu-core/-/regexpu-core-2.0.0.tgz#49d038837b8dcf8bfa5b9a42139938e6ea2ae240" 2081 | dependencies: 2082 | regenerate "^1.2.1" 2083 | regjsgen "^0.2.0" 2084 | regjsparser "^0.1.4" 2085 | 2086 | regjsgen@^0.2.0: 2087 | version "0.2.0" 2088 | resolved "https://registry.yarnpkg.com/regjsgen/-/regjsgen-0.2.0.tgz#6c016adeac554f75823fe37ac05b92d5a4edb1f7" 2089 | 2090 | regjsparser@^0.1.4: 2091 | version "0.1.5" 2092 | resolved "https://registry.yarnpkg.com/regjsparser/-/regjsparser-0.1.5.tgz#7ee8f84dc6fa792d3fd0ae228d24bd949ead205c" 2093 | dependencies: 2094 | jsesc "~0.5.0" 2095 | 2096 | remove-trailing-separator@^1.0.1: 2097 | version "1.1.0" 2098 | resolved "https://registry.yarnpkg.com/remove-trailing-separator/-/remove-trailing-separator-1.1.0.tgz#c24bce2a283adad5bc3f58e0d48249b92379d8ef" 2099 | 2100 | repeat-element@^1.1.2: 2101 | version "1.1.2" 2102 | resolved "https://registry.yarnpkg.com/repeat-element/-/repeat-element-1.1.2.tgz#ef089a178d1483baae4d93eb98b4f9e4e11d990a" 2103 | 2104 | repeat-string@^1.5.2: 2105 | version "1.6.1" 2106 | resolved "https://registry.yarnpkg.com/repeat-string/-/repeat-string-1.6.1.tgz#8dcae470e1c88abc2d600fff4a776286da75e637" 2107 | 2108 | repeating@^2.0.0: 2109 | version "2.0.1" 2110 | resolved "https://registry.yarnpkg.com/repeating/-/repeating-2.0.1.tgz#5214c53a926d3552707527fbab415dbc08d06dda" 2111 | dependencies: 2112 | is-finite "^1.0.0" 2113 | 2114 | request@2.81.0: 2115 | version "2.81.0" 2116 | resolved "https://registry.yarnpkg.com/request/-/request-2.81.0.tgz#c6928946a0e06c5f8d6f8a9333469ffda46298a0" 2117 | dependencies: 2118 | aws-sign2 "~0.6.0" 2119 | aws4 "^1.2.1" 2120 | caseless "~0.12.0" 2121 | combined-stream "~1.0.5" 2122 | extend "~3.0.0" 2123 | forever-agent "~0.6.1" 2124 | form-data "~2.1.1" 2125 | har-validator "~4.2.1" 2126 | hawk "~3.1.3" 2127 | http-signature "~1.1.0" 2128 | is-typedarray "~1.0.0" 2129 | isstream "~0.1.2" 2130 | json-stringify-safe "~5.0.1" 2131 | mime-types "~2.1.7" 2132 | oauth-sign "~0.8.1" 2133 | performance-now "^0.2.0" 2134 | qs "~6.4.0" 2135 | safe-buffer "^5.0.1" 2136 | stringstream "~0.0.4" 2137 | tough-cookie "~2.3.0" 2138 | tunnel-agent "^0.6.0" 2139 | uuid "^3.0.0" 2140 | 2141 | require-uncached@^1.0.3: 2142 | version "1.0.3" 2143 | resolved "https://registry.yarnpkg.com/require-uncached/-/require-uncached-1.0.3.tgz#4e0d56d6c9662fd31e43011c4b95aa49955421d3" 2144 | dependencies: 2145 | caller-path "^0.1.0" 2146 | resolve-from "^1.0.0" 2147 | 2148 | resolve-from@^1.0.0: 2149 | version "1.0.1" 2150 | resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-1.0.1.tgz#26cbfe935d1aeeeabb29bc3fe5aeb01e93d44226" 2151 | 2152 | resolve@^1.2.0: 2153 | version "1.5.0" 2154 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.5.0.tgz#1f09acce796c9a762579f31b2c1cc4c3cddf9f36" 2155 | dependencies: 2156 | path-parse "^1.0.5" 2157 | 2158 | restore-cursor@^2.0.0: 2159 | version "2.0.0" 2160 | resolved "https://registry.yarnpkg.com/restore-cursor/-/restore-cursor-2.0.0.tgz#9f7ee287f82fd326d4fd162923d62129eee0dfaf" 2161 | dependencies: 2162 | onetime "^2.0.0" 2163 | signal-exit "^3.0.2" 2164 | 2165 | rimraf@2, rimraf@^2.2.8, rimraf@^2.5.1, rimraf@^2.6.1: 2166 | version "2.6.2" 2167 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.6.2.tgz#2ed8150d24a16ea8651e6d6ef0f47c4158ce7a36" 2168 | dependencies: 2169 | glob "^7.0.5" 2170 | 2171 | run-async@^2.2.0: 2172 | version "2.3.0" 2173 | resolved "https://registry.yarnpkg.com/run-async/-/run-async-2.3.0.tgz#0371ab4ae0bdd720d4166d7dfda64ff7a445a6c0" 2174 | dependencies: 2175 | is-promise "^2.1.0" 2176 | 2177 | rx-lite-aggregates@^4.0.8: 2178 | version "4.0.8" 2179 | resolved "https://registry.yarnpkg.com/rx-lite-aggregates/-/rx-lite-aggregates-4.0.8.tgz#753b87a89a11c95467c4ac1626c4efc4e05c67be" 2180 | dependencies: 2181 | rx-lite "*" 2182 | 2183 | rx-lite@*, rx-lite@^4.0.8: 2184 | version "4.0.8" 2185 | resolved "https://registry.yarnpkg.com/rx-lite/-/rx-lite-4.0.8.tgz#0b1e11af8bc44836f04a6407e92da42467b79444" 2186 | 2187 | safe-buffer@^5.0.1, safe-buffer@~5.1.0, safe-buffer@~5.1.1: 2188 | version "5.1.1" 2189 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.1.tgz#893312af69b2123def71f57889001671eeb2c853" 2190 | 2191 | "semver@2 || 3 || 4 || 5", semver@^5.3.0: 2192 | version "5.4.1" 2193 | resolved "https://registry.yarnpkg.com/semver/-/semver-5.4.1.tgz#e059c09d8571f0540823733433505d3a2f00b18e" 2194 | 2195 | set-blocking@~2.0.0: 2196 | version "2.0.0" 2197 | resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7" 2198 | 2199 | set-immediate-shim@^1.0.1: 2200 | version "1.0.1" 2201 | resolved "https://registry.yarnpkg.com/set-immediate-shim/-/set-immediate-shim-1.0.1.tgz#4b2b1b27eb808a9f8dcc481a58e5e56f599f3f61" 2202 | 2203 | shebang-command@^1.2.0: 2204 | version "1.2.0" 2205 | resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-1.2.0.tgz#44aac65b695b03398968c39f363fee5deafdf1ea" 2206 | dependencies: 2207 | shebang-regex "^1.0.0" 2208 | 2209 | shebang-regex@^1.0.0: 2210 | version "1.0.0" 2211 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-1.0.0.tgz#da42f49740c0b42db2ca9728571cb190c98efea3" 2212 | 2213 | signal-exit@^3.0.0, signal-exit@^3.0.2: 2214 | version "3.0.2" 2215 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.2.tgz#b5fdc08f1287ea1178628e415e25132b73646c6d" 2216 | 2217 | slash@^1.0.0: 2218 | version "1.0.0" 2219 | resolved "https://registry.yarnpkg.com/slash/-/slash-1.0.0.tgz#c41f2f6c39fc16d1cd17ad4b5d896114ae470d55" 2220 | 2221 | slice-ansi@1.0.0: 2222 | version "1.0.0" 2223 | resolved "https://registry.yarnpkg.com/slice-ansi/-/slice-ansi-1.0.0.tgz#044f1a49d8842ff307aad6b505ed178bd950134d" 2224 | dependencies: 2225 | is-fullwidth-code-point "^2.0.0" 2226 | 2227 | sntp@1.x.x: 2228 | version "1.0.9" 2229 | resolved "https://registry.yarnpkg.com/sntp/-/sntp-1.0.9.tgz#6541184cc90aeea6c6e7b35e2659082443c66198" 2230 | dependencies: 2231 | hoek "2.x.x" 2232 | 2233 | source-map-support@^0.4.15: 2234 | version "0.4.18" 2235 | resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.4.18.tgz#0286a6de8be42641338594e97ccea75f0a2c585f" 2236 | dependencies: 2237 | source-map "^0.5.6" 2238 | 2239 | source-map@^0.5.6: 2240 | version "0.5.7" 2241 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.5.7.tgz#8a039d2d1021d22d1ea14c80d8ea468ba2ef3fcc" 2242 | 2243 | spdx-correct@~1.0.0: 2244 | version "1.0.2" 2245 | resolved "https://registry.yarnpkg.com/spdx-correct/-/spdx-correct-1.0.2.tgz#4b3073d933ff51f3912f03ac5519498a4150db40" 2246 | dependencies: 2247 | spdx-license-ids "^1.0.2" 2248 | 2249 | spdx-expression-parse@~1.0.0: 2250 | version "1.0.4" 2251 | resolved "https://registry.yarnpkg.com/spdx-expression-parse/-/spdx-expression-parse-1.0.4.tgz#9bdf2f20e1f40ed447fbe273266191fced51626c" 2252 | 2253 | spdx-license-ids@^1.0.2: 2254 | version "1.2.2" 2255 | resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-1.2.2.tgz#c9df7a3424594ade6bd11900d596696dc06bac57" 2256 | 2257 | sprintf-js@~1.0.2: 2258 | version "1.0.3" 2259 | resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.0.3.tgz#04e6926f662895354f3dd015203633b857297e2c" 2260 | 2261 | sshpk@^1.7.0: 2262 | version "1.13.1" 2263 | resolved "https://registry.yarnpkg.com/sshpk/-/sshpk-1.13.1.tgz#512df6da6287144316dc4c18fe1cf1d940739be3" 2264 | dependencies: 2265 | asn1 "~0.2.3" 2266 | assert-plus "^1.0.0" 2267 | dashdash "^1.12.0" 2268 | getpass "^0.1.1" 2269 | optionalDependencies: 2270 | bcrypt-pbkdf "^1.0.0" 2271 | ecc-jsbn "~0.1.1" 2272 | jsbn "~0.1.0" 2273 | tweetnacl "~0.14.0" 2274 | 2275 | string-width@^1.0.1, string-width@^1.0.2: 2276 | version "1.0.2" 2277 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-1.0.2.tgz#118bdf5b8cdc51a2a7e70d211e07e2b0b9b107d3" 2278 | dependencies: 2279 | code-point-at "^1.0.0" 2280 | is-fullwidth-code-point "^1.0.0" 2281 | strip-ansi "^3.0.0" 2282 | 2283 | string-width@^2.1.0, string-width@^2.1.1: 2284 | version "2.1.1" 2285 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-2.1.1.tgz#ab93f27a8dc13d28cac815c462143a6d9012ae9e" 2286 | dependencies: 2287 | is-fullwidth-code-point "^2.0.0" 2288 | strip-ansi "^4.0.0" 2289 | 2290 | string_decoder@~1.0.3: 2291 | version "1.0.3" 2292 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.0.3.tgz#0fc67d7c141825de94282dd536bec6b9bce860ab" 2293 | dependencies: 2294 | safe-buffer "~5.1.0" 2295 | 2296 | stringstream@~0.0.4: 2297 | version "0.0.5" 2298 | resolved "https://registry.yarnpkg.com/stringstream/-/stringstream-0.0.5.tgz#4e484cd4de5a0bbbee18e46307710a8a81621878" 2299 | 2300 | strip-ansi@^3.0.0, strip-ansi@^3.0.1: 2301 | version "3.0.1" 2302 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-3.0.1.tgz#6a385fb8853d952d5ff05d0e8aaf94278dc63dcf" 2303 | dependencies: 2304 | ansi-regex "^2.0.0" 2305 | 2306 | strip-ansi@^4.0.0: 2307 | version "4.0.0" 2308 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-4.0.0.tgz#a8479022eb1ac368a871389b635262c505ee368f" 2309 | dependencies: 2310 | ansi-regex "^3.0.0" 2311 | 2312 | strip-bom@^3.0.0: 2313 | version "3.0.0" 2314 | resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-3.0.0.tgz#2334c18e9c759f7bdd56fdef7e9ae3d588e68ed3" 2315 | 2316 | strip-json-comments@~2.0.1: 2317 | version "2.0.1" 2318 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-2.0.1.tgz#3c531942e908c2697c0ec344858c286c7ca0a60a" 2319 | 2320 | supports-color@^2.0.0: 2321 | version "2.0.0" 2322 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-2.0.0.tgz#535d045ce6b6363fa40117084629995e9df324c7" 2323 | 2324 | supports-color@^4.0.0: 2325 | version "4.5.0" 2326 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-4.5.0.tgz#be7a0de484dec5c5cddf8b3d59125044912f635b" 2327 | dependencies: 2328 | has-flag "^2.0.0" 2329 | 2330 | table@^4.0.1: 2331 | version "4.0.2" 2332 | resolved "https://registry.yarnpkg.com/table/-/table-4.0.2.tgz#a33447375391e766ad34d3486e6e2aedc84d2e36" 2333 | dependencies: 2334 | ajv "^5.2.3" 2335 | ajv-keywords "^2.1.0" 2336 | chalk "^2.1.0" 2337 | lodash "^4.17.4" 2338 | slice-ansi "1.0.0" 2339 | string-width "^2.1.1" 2340 | 2341 | tar-pack@^3.4.0: 2342 | version "3.4.1" 2343 | resolved "https://registry.yarnpkg.com/tar-pack/-/tar-pack-3.4.1.tgz#e1dbc03a9b9d3ba07e896ad027317eb679a10a1f" 2344 | dependencies: 2345 | debug "^2.2.0" 2346 | fstream "^1.0.10" 2347 | fstream-ignore "^1.0.5" 2348 | once "^1.3.3" 2349 | readable-stream "^2.1.4" 2350 | rimraf "^2.5.1" 2351 | tar "^2.2.1" 2352 | uid-number "^0.0.6" 2353 | 2354 | tar@^2.2.1: 2355 | version "2.2.1" 2356 | resolved "https://registry.yarnpkg.com/tar/-/tar-2.2.1.tgz#8e4d2a256c0e2185c6b18ad694aec968b83cb1d1" 2357 | dependencies: 2358 | block-stream "*" 2359 | fstream "^1.0.2" 2360 | inherits "2" 2361 | 2362 | text-table@~0.2.0: 2363 | version "0.2.0" 2364 | resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4" 2365 | 2366 | through@^2.3.6: 2367 | version "2.3.8" 2368 | resolved "https://registry.yarnpkg.com/through/-/through-2.3.8.tgz#0dd4c9ffaabc357960b1b724115d7e0e86a2e1f5" 2369 | 2370 | tmp@^0.0.33: 2371 | version "0.0.33" 2372 | resolved "https://registry.yarnpkg.com/tmp/-/tmp-0.0.33.tgz#6d34335889768d21b2bcda0aa277ced3b1bfadf9" 2373 | dependencies: 2374 | os-tmpdir "~1.0.2" 2375 | 2376 | to-fast-properties@^1.0.3: 2377 | version "1.0.3" 2378 | resolved "https://registry.yarnpkg.com/to-fast-properties/-/to-fast-properties-1.0.3.tgz#b83571fa4d8c25b82e231b06e3a3055de4ca1a47" 2379 | 2380 | tough-cookie@~2.3.0: 2381 | version "2.3.3" 2382 | resolved "https://registry.yarnpkg.com/tough-cookie/-/tough-cookie-2.3.3.tgz#0b618a5565b6dea90bf3425d04d55edc475a7561" 2383 | dependencies: 2384 | punycode "^1.4.1" 2385 | 2386 | trim-right@^1.0.1: 2387 | version "1.0.1" 2388 | resolved "https://registry.yarnpkg.com/trim-right/-/trim-right-1.0.1.tgz#cb2e1203067e0c8de1f614094b9fe45704ea6003" 2389 | 2390 | tryit@^1.0.1: 2391 | version "1.0.3" 2392 | resolved "https://registry.yarnpkg.com/tryit/-/tryit-1.0.3.tgz#393be730a9446fd1ead6da59a014308f36c289cb" 2393 | 2394 | tunnel-agent@^0.6.0: 2395 | version "0.6.0" 2396 | resolved "https://registry.yarnpkg.com/tunnel-agent/-/tunnel-agent-0.6.0.tgz#27a5dea06b36b04a0a9966774b290868f0fc40fd" 2397 | dependencies: 2398 | safe-buffer "^5.0.1" 2399 | 2400 | tweetnacl@^0.14.3, tweetnacl@~0.14.0: 2401 | version "0.14.5" 2402 | resolved "https://registry.yarnpkg.com/tweetnacl/-/tweetnacl-0.14.5.tgz#5ae68177f192d4456269d108afa93ff8743f4f64" 2403 | 2404 | type-check@~0.3.2: 2405 | version "0.3.2" 2406 | resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.3.2.tgz#5884cab512cf1d355e3fb784f30804b2b520db72" 2407 | dependencies: 2408 | prelude-ls "~1.1.2" 2409 | 2410 | typedarray@^0.0.6: 2411 | version "0.0.6" 2412 | resolved "https://registry.yarnpkg.com/typedarray/-/typedarray-0.0.6.tgz#867ac74e3864187b1d3d47d996a78ec5c8830777" 2413 | 2414 | uid-number@^0.0.6: 2415 | version "0.0.6" 2416 | resolved "https://registry.yarnpkg.com/uid-number/-/uid-number-0.0.6.tgz#0ea10e8035e8eb5b8e4449f06da1c730663baa81" 2417 | 2418 | user-home@^1.1.1: 2419 | version "1.1.1" 2420 | resolved "https://registry.yarnpkg.com/user-home/-/user-home-1.1.1.tgz#2b5be23a32b63a7c9deb8d0f28d485724a3df190" 2421 | 2422 | util-deprecate@~1.0.1: 2423 | version "1.0.2" 2424 | resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf" 2425 | 2426 | uuid@^3.0.0: 2427 | version "3.1.0" 2428 | resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.1.0.tgz#3dd3d3e790abc24d7b0d3a034ffababe28ebbc04" 2429 | 2430 | v8flags@^2.1.1: 2431 | version "2.1.1" 2432 | resolved "https://registry.yarnpkg.com/v8flags/-/v8flags-2.1.1.tgz#aab1a1fa30d45f88dd321148875ac02c0b55e5b4" 2433 | dependencies: 2434 | user-home "^1.1.1" 2435 | 2436 | validate-npm-package-license@^3.0.1: 2437 | version "3.0.1" 2438 | resolved "https://registry.yarnpkg.com/validate-npm-package-license/-/validate-npm-package-license-3.0.1.tgz#2804babe712ad3379459acfbe24746ab2c303fbc" 2439 | dependencies: 2440 | spdx-correct "~1.0.0" 2441 | spdx-expression-parse "~1.0.0" 2442 | 2443 | verror@1.10.0: 2444 | version "1.10.0" 2445 | resolved "https://registry.yarnpkg.com/verror/-/verror-1.10.0.tgz#3a105ca17053af55d6e270c1f8288682e18da400" 2446 | dependencies: 2447 | assert-plus "^1.0.0" 2448 | core-util-is "1.0.2" 2449 | extsprintf "^1.2.0" 2450 | 2451 | which@^1.2.9: 2452 | version "1.3.0" 2453 | resolved "https://registry.yarnpkg.com/which/-/which-1.3.0.tgz#ff04bdfc010ee547d780bec38e1ac1c2777d253a" 2454 | dependencies: 2455 | isexe "^2.0.0" 2456 | 2457 | wide-align@^1.1.0: 2458 | version "1.1.2" 2459 | resolved "https://registry.yarnpkg.com/wide-align/-/wide-align-1.1.2.tgz#571e0f1b0604636ebc0dfc21b0339bbe31341710" 2460 | dependencies: 2461 | string-width "^1.0.2" 2462 | 2463 | wordwrap@~1.0.0: 2464 | version "1.0.0" 2465 | resolved "https://registry.yarnpkg.com/wordwrap/-/wordwrap-1.0.0.tgz#27584810891456a4171c8d0226441ade90cbcaeb" 2466 | 2467 | wrappy@1: 2468 | version "1.0.2" 2469 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" 2470 | 2471 | write@^0.2.1: 2472 | version "0.2.1" 2473 | resolved "https://registry.yarnpkg.com/write/-/write-0.2.1.tgz#5fc03828e264cea3fe91455476f7a3c566cb0757" 2474 | dependencies: 2475 | mkdirp "^0.5.1" 2476 | 2477 | yallist@^2.1.2: 2478 | version "2.1.2" 2479 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-2.1.2.tgz#1c11f9218f076089a47dd512f93c6699a6a81d52" 2480 | --------------------------------------------------------------------------------