├── .npmignore ├── .travis.yml ├── .gitignore ├── src ├── utils │ ├── clone.js │ ├── getTypeName.js │ └── createIntrospectableChecker.js ├── PropTypes.js ├── schemaToObject.js ├── PropTypeFormatter.js ├── index.js ├── PropTypeAnalyzer.js └── ReactPropTypes.js ├── .eslintrc ├── .babelrc ├── test ├── PropTypeValidator.test.js ├── PropTypeFormatter.test.js ├── utils │ └── getTypeName.test.js ├── schemaToObject.test.js ├── PropTypes.test.js └── PropTypeAnalyzer.test.js ├── LICENSE ├── package.json ├── CHANGELOG.md ├── README.md └── yarn.lock /.npmignore: -------------------------------------------------------------------------------- 1 | src/ 2 | -------------------------------------------------------------------------------- /.travis.yml: -------------------------------------------------------------------------------- 1 | language: node_js 2 | node_js: 3 | - stable 4 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | .DS_Store 2 | lib 3 | node_modules 4 | npm-debug.log 5 | -------------------------------------------------------------------------------- /src/utils/clone.js: -------------------------------------------------------------------------------- 1 | module.exports = function clone(source) { 2 | return Object.keys(source).reduce((cloned, key) => { 3 | cloned[key] = source[key]; 4 | return cloned; 5 | }, {}); 6 | }; 7 | -------------------------------------------------------------------------------- /.eslintrc: -------------------------------------------------------------------------------- 1 | { 2 | "parser": "babel-eslint", 3 | "extends": "airbnb", 4 | "rules": { 5 | "no-multiple-empty-lines": 0, 6 | "no-param-reassign": 0, 7 | "padded-blocks": 0, 8 | "template-curly-spacing": ["error", "always"], 9 | "react/jsx-curly-spacing": ["error", "always"], 10 | "no-confusing-arrow": ["error", {"allowParens": true}] 11 | } 12 | } 13 | -------------------------------------------------------------------------------- /.babelrc: -------------------------------------------------------------------------------- 1 | { 2 | "passPerPreset": true, 3 | "presets": [ 4 | "es2015", 5 | "es2016", 6 | "react" 7 | ], 8 | "plugins": [ 9 | "syntax-trailing-function-commas", 10 | "syntax-async-functions", 11 | "transform-class-properties", 12 | "transform-object-rest-spread", 13 | "transform-regenerator", 14 | "transform-es2015-destructuring", 15 | ["transform-runtime", { 16 | "helpers": false, 17 | "polyfill": false, 18 | "regenerator": true 19 | }] 20 | ] 21 | } 22 | -------------------------------------------------------------------------------- /src/PropTypes.js: -------------------------------------------------------------------------------- 1 | const clone = require('./utils/clone'); 2 | const createIntrospectableChecker = require('./utils/createIntrospectableChecker'); 3 | const ReactPropTypes = require('./ReactPropTypes'); 4 | const PropTypes = clone(ReactPropTypes); 5 | 6 | /** 7 | * Common combinations of types. 8 | */ 9 | PropTypes.numberOrString = PropTypes.oneOfType([ 10 | ReactPropTypes.number, 11 | ReactPropTypes.string, 12 | ]); 13 | 14 | PropTypes.boolOrString = PropTypes.oneOfType([ 15 | ReactPropTypes.bool, 16 | ReactPropTypes.string, 17 | ]); 18 | 19 | ['shape', 'arrayOf', 'oneOf', 'oneOfType'].forEach(type => { 20 | PropTypes[type] = createIntrospectableChecker(type, ReactPropTypes[type]); 21 | }); 22 | 23 | // ---------------------------------------------------------------------------- 24 | module.exports = PropTypes; 25 | -------------------------------------------------------------------------------- /src/schemaToObject.js: -------------------------------------------------------------------------------- 1 | import { analyze } from './PropTypeAnalyzer'; 2 | 3 | 4 | 5 | /** 6 | * Provides a primitive form of a schema node to use with 7 | * [Object.whitelist] and other schema-based utils. 8 | * 9 | * @param {Object} node: The PropTypes node to examine. 10 | * @return {Object}. 11 | */ 12 | const schemaToObject = (node) => { 13 | if (node.type === 'shape') { 14 | return node.properties.reduce((hash, entry) => { 15 | hash[entry.name] = schemaToObject(entry); 16 | return hash; 17 | }, {}); 18 | 19 | } else if (node.type === 'arrayOf') { 20 | return [schemaToObject(node.element)]; 21 | 22 | } else if (node.type === 'literal') { 23 | return node.value !== undefined ? node.value : null; 24 | } 25 | return null; 26 | }; 27 | 28 | 29 | 30 | 31 | 32 | /** 33 | * Converts the given schema node to a simple object. 34 | * @param {Object} rootNode: The PropTypes node to examine. 35 | * @return {Object}. 36 | */ 37 | export default (rootNode) => schemaToObject(analyze(rootNode)); 38 | -------------------------------------------------------------------------------- /src/utils/getTypeName.js: -------------------------------------------------------------------------------- 1 | import PropTypes from '../PropTypes'; 2 | 3 | 4 | 5 | /** 6 | * Attempts to locate (or infer) the PropType name from a checker. 7 | * 8 | * @param {Function} checker 9 | * This could either be an instance of a chainable type checker (like 10 | * oneOf and shape) or a primitive type checker (string or number). 11 | * 12 | * @return {String} 13 | */ 14 | const getTypeName = (checker) => { 15 | if (!checker) { 16 | return undefined; 17 | } else if (checker.$meta) { 18 | return checker.$meta.type; // An introspectable checker. 19 | } 20 | let typeName; 21 | 22 | // Maybe this is a primitive checker? 23 | Object.keys(PropTypes).some(key => { 24 | if ( 25 | (PropTypes[key] === checker) || 26 | (PropTypes[key] && PropTypes[key].isRequired === checker) 27 | ) { 28 | typeName = key; 29 | return true; 30 | } 31 | return undefined; 32 | }); 33 | 34 | // Finish up. 35 | return typeName; 36 | }; 37 | 38 | 39 | 40 | 41 | export default getTypeName; 42 | -------------------------------------------------------------------------------- /test/PropTypeValidator.test.js: -------------------------------------------------------------------------------- 1 | import { expect } from 'chai'; 2 | import ReactSchema from '../src'; 3 | import PropTypes from '../src/PropTypes'; 4 | 5 | describe('PropTypeValidator', () => { 6 | it('is valid', () => { 7 | const propTypes = { 8 | myBool: PropTypes.bool, 9 | myString: PropTypes.string, 10 | myNumber: PropTypes.number, 11 | }; 12 | const result = ReactSchema.validate(propTypes, { myBool: true, myString: 'Foo', myNumber: 123 }); 13 | expect(result.isValid).to.equal(true); 14 | }); 15 | 16 | it('is not valid (passes optional component name)', () => { 17 | const result = ReactSchema.validate({ isEnabled: PropTypes.bool }, { isEnabled: 123 }, 'MyComponent'); 18 | expect(result.isValid).to.equal(false); 19 | expect(result.errors.isEnabled.message).to.contain('MyComponent'); 20 | }); 21 | 22 | it('validates a single propType', () => { 23 | expect(ReactSchema.validate(PropTypes.bool, true).isValid).to.equal(true); 24 | expect(ReactSchema.validate(PropTypes.bool, 123).isValid).to.equal(false); 25 | }); 26 | }); 27 | -------------------------------------------------------------------------------- /src/utils/createIntrospectableChecker.js: -------------------------------------------------------------------------------- 1 | /** 2 | * Decorates a **CHAINABLE** type checker's output to include the argument it 3 | * was instantiated with. For example: 4 | * 5 | * shape({ something: string }) 6 | * ^^^^^^^^^^^^^^^^^^^^^ 7 | * 8 | * oneOf([ 'foo', 'bar' ]) 9 | * ^^^^^^^^^^^^^^^^ 10 | * 11 | * The decorated checker will contain this information in a $meta property: 12 | * 13 | * { 14 | * type: String, 15 | * args: Any 16 | * } 17 | * 18 | * @param {String} type 19 | * @param {Function} sourceChecker 20 | */ 21 | module.exports = function createIntrospectableChecker(type, sourceChecker) { 22 | return function applyCheckerAndAddTypeInfo(args) { 23 | const checker = sourceChecker(args); 24 | const $meta = { type, args }; 25 | 26 | if (!(checker instanceof Function)) { 27 | throw new Error('You may only decorate chainable, non-primitive type checkers!'); 28 | } 29 | 30 | checker.$meta = $meta; 31 | checker.isRequired.$meta = $meta; 32 | 33 | return checker; 34 | }; 35 | }; 36 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | The MIT License (MIT) 2 | 3 | Copyright (c) 2015 Phil Cockfield (https://github.com/philcockfield) 4 | 5 | Permission is hereby granted, free of charge, to any person obtaining a copy 6 | of this software and associated documentation files (the "Software"), to deal 7 | in the Software without restriction, including without limitation the rights 8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 9 | copies of the Software, and to permit persons to whom the Software is 10 | furnished to do so, subject to the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be included in 13 | all copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN 21 | THE SOFTWARE. 22 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "react-schema", 3 | "version": "2.0.0", 4 | "description": "Use react like PropTypes for generic object validation.", 5 | "main": "./lib/index.js", 6 | "scripts": { 7 | "test": "./node_modules/mocha/bin/mocha --recursive --compilers js:babel-register", 8 | "tdd": "npm run test -- --reporter min --watch", 9 | "lint": "./node_modules/eslint/bin/eslint.js --ext .js,.jsx ./src", 10 | "build": "./node_modules/babel-cli/bin/babel.js src --out-dir lib --source-maps", 11 | "build:watch": "npm run build -- --watch", 12 | "prepublish": "npm test && npm run lint && npm run build" 13 | }, 14 | "devDependencies": { 15 | "chai": "^3.5.0", 16 | "js-babel": "^6.0.6", 17 | "js-babel-dev": "^6.0.7", 18 | "mocha": "^2.5.3" 19 | }, 20 | "repository": { 21 | "type": "git", 22 | "url": "https://github.com/philcockfield/react-schema" 23 | }, 24 | "keywords": [ 25 | "react", 26 | "schema", 27 | "validation", 28 | "util" 29 | ], 30 | "author": { 31 | "name": "Phil Cockfield", 32 | "email": "phil@cockfield.net", 33 | "url": "https://github.com/philcockfield" 34 | }, 35 | "homepage": "https://github.com/philcockfield/react-schema", 36 | "license": "MIT" 37 | } 38 | -------------------------------------------------------------------------------- /src/PropTypeFormatter.js: -------------------------------------------------------------------------------- 1 | /* eslint no-useless-escape:0 */ 2 | 3 | import getTypeName from './utils/getTypeName'; 4 | const formatters = {}; 5 | 6 | 7 | export const defineFormatter = (typeName, formatter) => (formatters[typeName] = formatter); 8 | 9 | export const format = (checker) => { 10 | const typeName = getTypeName(checker); 11 | const formatter = formatters[typeName]; 12 | 13 | if (formatter && checker && checker.$meta) { 14 | return formatter(checker.$meta.args); 15 | } 16 | 17 | return typeName; 18 | }; 19 | 20 | 21 | const shapeToObject = (obj) => { 22 | const result = {}; 23 | Object.keys(obj).forEach(key => { 24 | const value = obj[key]; 25 | if (typeof value === 'function') { 26 | result[key] = `<${ getTypeName(value) || 'unknown' }>`; 27 | 28 | } else if (value && typeof value === 'object') { 29 | result[key] = shapeToObject(value); // <== RECURSION. 30 | } 31 | }); 32 | return result; 33 | }; 34 | 35 | 36 | 37 | defineFormatter('shape', shape => { 38 | let output = shapeToObject(shape); 39 | output = JSON.stringify(output).replace(/\"/g, ''); 40 | return `shape(${ output })`; 41 | }); 42 | 43 | defineFormatter('oneOfType', types => { 44 | const typeNames = types.map(format).join(', '); 45 | return `oneOfType(${ typeNames })`; 46 | }); 47 | 48 | defineFormatter('oneOf', enumValues => `oneOf(${ enumValues.join(', ') })`); 49 | -------------------------------------------------------------------------------- /src/index.js: -------------------------------------------------------------------------------- 1 | /** 2 | * Performs validation on the a set of properties. 3 | * 4 | * @param {Object|Function} propTypes 5 | * An object containing the property-type definitions (schema) or a 6 | * single PropType. 7 | * 8 | * @param {Object} props 9 | * An object of properties to validate or a single value of a single 10 | * definiiton was passed. 11 | * 12 | * @param {String} [displayName] 13 | * The name of the component or module being validated. 14 | * 15 | * Used in formatting the error message(s). 16 | * 17 | * @return {Object} result 18 | * The validation results. Looks something like this: 19 | * 20 | * { 21 | * isValid: Boolean, 22 | * errors: Object.? 23 | * } 24 | */ 25 | exports.validate = (propTypes, props, displayName) => { 26 | const result = { isValid: true }; 27 | 28 | if (typeof propTypes === 'function') { 29 | propTypes = { value: propTypes }; 30 | props = { value: props }; 31 | } 32 | 33 | Object.keys(propTypes).forEach(key => { 34 | const validator = propTypes[key]; 35 | const error = validator(props, key, displayName); 36 | 37 | if (error !== null) { 38 | result.isValid = false; 39 | result.errors = result.errors || {}; 40 | result.errors[key] = error; 41 | } 42 | }); 43 | 44 | return result; 45 | }; 46 | 47 | exports.PropTypes = require('./PropTypes'); 48 | -------------------------------------------------------------------------------- /test/PropTypeFormatter.test.js: -------------------------------------------------------------------------------- 1 | import { expect } from 'chai'; 2 | import { format } from '../src/PropTypeFormatter'; 3 | import PropTypes from '../src/PropTypes'; 4 | 5 | describe('PropTypeFormatter', () => { 6 | context('given a regular PropTypes.something', function () { 7 | it('returns the name of the checker', function () { 8 | expect(format(PropTypes.string)).to.equal('string'); 9 | }); 10 | }); 11 | 12 | context('given an unknown type', function () { 13 | it('returns undefined', function () { 14 | expect(format(PropTypes.asdfasdfasdf)).to.equal(undefined); 15 | }); 16 | }); 17 | 18 | context('given a PropTypes.oneOf', () => { 19 | it('works', () => { 20 | const result = PropTypes.oneOf(['one', 'two']); 21 | expect(format(result)).to.equal('oneOf(one, two)'); 22 | }); 23 | }); 24 | 25 | context('given a PropTypes.oneOfType', () => { 26 | it('works', () => { 27 | const result = PropTypes.oneOfType([PropTypes.string, PropTypes.number]); 28 | expect(format(result)).to.equal('oneOfType(string, number)'); 29 | }); 30 | }); 31 | 32 | context('given a PropTypes.shape', () => { 33 | it('works', () => { 34 | const result = PropTypes.shape({ 35 | isEnabled: PropTypes.bool, 36 | foo: { 37 | total: PropTypes.number, 38 | }, 39 | }); 40 | 41 | expect(format(result)).to.equal('shape({isEnabled:,foo:{total:}})'); 42 | }); 43 | }); 44 | }); 45 | -------------------------------------------------------------------------------- /test/utils/getTypeName.test.js: -------------------------------------------------------------------------------- 1 | import subject from '../../src/utils/getTypeName'; 2 | import { expect } from 'chai'; 3 | import PropTypes from '../../src/PropTypes'; 4 | 5 | describe('utils::getTypeName', () => { 6 | context('given a nilly', function () { 7 | it('returns undefined', function () { 8 | expect(subject()).to.equal(undefined); 9 | }); 10 | }); 11 | 12 | context('given an introspectable checker', function () { 13 | it('returns its pre-defined type', function () { 14 | expect(subject({ $meta: { type: 'foo' } })).to.equal('foo'); 15 | }); 16 | }); 17 | 18 | describe('pre-defined types in PropTypes', function () { 19 | context('given PropTypes.string', function () { 20 | it('returns "string"', function () { 21 | expect(subject(PropTypes.string)).to.equal('string'); 22 | }); 23 | }); 24 | 25 | context('given PropTypes.string.isRequired', function () { 26 | it('returns "string"', function () { 27 | expect(subject(PropTypes.string.isRequired)).to.equal('string'); 28 | }); 29 | }); 30 | 31 | context('given PropTypes.string', function () { 32 | it('returns "string"', function () { 33 | expect(subject(PropTypes.string)).to.equal('string'); 34 | }); 35 | }); 36 | 37 | context('given PropTypes.string.isRequired', function () { 38 | it('returns "string"', function () { 39 | expect(subject(PropTypes.string.isRequired)).to.equal('string'); 40 | }); 41 | }); 42 | }); 43 | }); 44 | -------------------------------------------------------------------------------- /src/PropTypeAnalyzer.js: -------------------------------------------------------------------------------- 1 | import getTypeName from './utils/getTypeName'; 2 | import clone from './utils/clone'; 3 | const analyzers = {}; 4 | 5 | 6 | export const defineAnalyzer = (type, analyzer) => { 7 | analyzers[type] = analyzer; 8 | }; 9 | 10 | export const analyze = (checker) => { 11 | let nodeInfo; 12 | 13 | if (checker && checker.$meta) { 14 | const analyzer = analyzers[checker.$meta.type]; 15 | 16 | if (analyzer) { 17 | nodeInfo = clone(analyzer(checker.$meta.args)); 18 | } 19 | } 20 | 21 | if (!nodeInfo) { 22 | nodeInfo = { type: 'literal', value: getTypeName(checker) || null }; 23 | } 24 | 25 | // We can infer whether `isRequired` was used by checking if the generated 26 | // checker still has this property or not. 27 | if (typeof checker === 'function' && !checker.hasOwnProperty('isRequired')) { 28 | nodeInfo.isRequired = true; 29 | } 30 | 31 | return nodeInfo; 32 | }; 33 | 34 | 35 | 36 | 37 | 38 | defineAnalyzer('shape', properties => { 39 | const nodeInfo = {}; 40 | nodeInfo.type = 'shape'; 41 | nodeInfo.properties = Object.keys(properties).map(key => { 42 | const childAST = clone(analyze(properties[key])); 43 | childAST.name = key; 44 | return childAST; 45 | }); 46 | return nodeInfo; 47 | }); 48 | 49 | 50 | defineAnalyzer('arrayOf', element => { 51 | const nodeInfo = {}; 52 | nodeInfo.type = 'arrayOf'; 53 | nodeInfo.element = analyze(element); 54 | return nodeInfo; 55 | }); 56 | 57 | 58 | defineAnalyzer('oneOfType', types => { 59 | const nodeInfo = {}; 60 | nodeInfo.type = 'oneOfType'; 61 | nodeInfo.types = types.map(analyze); 62 | return nodeInfo; 63 | }); 64 | -------------------------------------------------------------------------------- /test/schemaToObject.test.js: -------------------------------------------------------------------------------- 1 | import subject from '../src/schemaToObject'; 2 | import { arrayOf, shape, string, bool } from '../src/PropTypes'; 3 | import { expect } from 'chai'; 4 | 5 | describe('utils::schemaToObject', function() { 6 | describe('converting shapes to objects', function() { 7 | it('works with an empty shape', function() { 8 | expect(subject(shape({}))).to.deep.equal({}); 9 | }); 10 | 11 | it('works with a shape containing some literal properties', function() { 12 | expect(subject(shape({ name: string }))).to.deep.equal({ name: 'string' }); 13 | }); 14 | 15 | it('works with nested shapes', function() { 16 | const schema = shape({ 17 | id: string, 18 | user: shape({ 19 | id: string 20 | }) 21 | }); 22 | 23 | expect(subject(schema)).to.deep.equal({ 24 | id: 'string', 25 | user: { 26 | id: 'string' 27 | } 28 | }); 29 | }); 30 | }); 31 | 32 | describe('converting arrayOf to arrays', function() { 33 | it('works with a literal as an element type', function() { 34 | expect(subject(arrayOf(string))).to.deep.equal(['string']); 35 | }); 36 | 37 | it('works with a shape as an element type', function() { 38 | expect( 39 | subject(arrayOf(shape({ id: string }))) 40 | ).to.deep.equal( 41 | [{ id: 'string' }] 42 | ); 43 | }); 44 | 45 | it('works with bools', function() { 46 | expect( 47 | subject(arrayOf(bool)) 48 | ).to.deep.equal( 49 | ['bool'] 50 | ); 51 | }); 52 | }); 53 | 54 | it('leaves "null" fields untouched', function() { 55 | expect(subject(shape({ __emberModel__: null }))).to.deep.equal({ 56 | __emberModel__: null 57 | }); 58 | }); 59 | }); 60 | -------------------------------------------------------------------------------- /CHANGELOG.md: -------------------------------------------------------------------------------- 1 | # Change Log 2 | All notable changes to this project will be documented in this file. 3 | This project adheres to [Semantic Versioning](http://semver.org/). 4 | 5 | 6 | ## [Unreleased] - YYYY-MM-DD 7 | #### Added 8 | #### Changed 9 | #### Deprecated 10 | #### Removed 11 | #### Fixed 12 | #### Security 13 | 14 | 15 | ## [2.0.0] - 2016-10-27 16 | #### Changed 17 | - Dropped dependency on React (thanks to [@eliot-akira](https://github.com/eliot-akira)). 18 | 19 | 20 | 21 | ## [1.3.0] - 2016-05-10 22 | #### Changed 23 | - Updated to React `15.0.2` 24 | 25 | 26 | 27 | ## [1.2.0] - 2016-04-11 28 | #### Added 29 | - `schemaToObject(s: Function) -> Object` 30 | Takes something like an introspectable PropTypes.shape() and yields a 31 | plain object that describes the structure of that schema so that 32 | consumers don't have to fiddle with the introspection internals. 33 | 34 | #### Changed 35 | - Updated to `react@0.14.6`. 36 | - Updated to Babel 6. 37 | 38 | 39 | 40 | ## [1.1.0] 41 | #### Added 42 | - Added introspection support for `arrayOf` 43 | - Added "analyzers" that give us something close to an AST of the 44 | propType nodes (this is opt-in for those who need it just like the 45 | formatters) 46 | - Added more test coverage 47 | 48 | #### Changed 49 | - Library can now handle introspecting & formatting of custom 50 | PropTypes 51 | 52 | - Simplified the validator code (got rid of the class, a single function 53 | for validating is easier to reason about for users like myself) 54 | 55 | #### Removed 56 | - Implicit definition of custom `toString()` was dropped in favor of 57 | explicit formatting; one can now choose to use the formatter directly 58 | if they need to stringify a prop (and implement their own formatters 59 | if we do not support them out of the box) 60 | 61 | 62 | 63 | ## [1.0.5] - 2015-11-7 64 | #### Changed 65 | Removed dependency on Ramda. 66 | -------------------------------------------------------------------------------- /test/PropTypes.test.js: -------------------------------------------------------------------------------- 1 | import { expect } from 'chai'; 2 | import { format } from '../src/PropTypeFormatter'; 3 | import PropTypes from '../src/PropTypes'; 4 | 5 | describe('React PropTypes', () => { 6 | it('exposes all React prop-types', () => { 7 | Object.keys(PropTypes).forEach((key) => { 8 | expect(PropTypes[key]).to.be.an.instanceof(Function); 9 | }); 10 | }); 11 | 12 | describe('PropTypes.oneOf', () => { 13 | it('stores enum values on return object', () => { 14 | const result = PropTypes.oneOf(['one', 'two']); 15 | expect(result.$meta.args).to.eql(['one', 'two']); 16 | }); 17 | 18 | it('stores enum values on the corresponding `isRequired` object', () => { 19 | const result = PropTypes.oneOf(['one', 'two']); 20 | expect(result.isRequired.$meta.args).to.eql(['one', 'two']); 21 | }); 22 | }); 23 | 24 | 25 | describe('PropTypes.oneOfType', () => { 26 | it('stores type values on return object', () => { 27 | const result = PropTypes.oneOfType([PropTypes.string, PropTypes.number]); 28 | expect(result.$meta.args).to.eql([PropTypes.string, PropTypes.number]); 29 | }); 30 | 31 | it('stores type values on the corresponding `isRequired` object', () => { 32 | const result = PropTypes.oneOfType([PropTypes.string, PropTypes.number]); 33 | expect(result.isRequired.$meta.args).to.eql([PropTypes.string, PropTypes.number]); 34 | }); 35 | }); 36 | 37 | describe('PropTypes.shape', () => { 38 | it('stores the shape on the return object', () => { 39 | const result = PropTypes.shape({ isEnabled: PropTypes.bool }); 40 | expect(result.$meta.args).to.eql({ isEnabled: PropTypes.bool }); 41 | }); 42 | 43 | it('stores the shape on the corresponding `isRequired` object', () => { 44 | const result = PropTypes.shape({ isEnabled: PropTypes.bool }); 45 | expect(result.isRequired.$meta.args).to.eql({ isEnabled: PropTypes.bool }); 46 | }); 47 | }); 48 | }); 49 | -------------------------------------------------------------------------------- /test/PropTypeAnalyzer.test.js: -------------------------------------------------------------------------------- 1 | import { expect } from 'chai'; 2 | import { format } from '../src/PropTypeFormatter'; 3 | import PropTypes from '../src/PropTypes'; 4 | import { analyze } from '../src/PropTypeAnalyzer'; 5 | 6 | describe('PropTypeAnalyzer', () => { 7 | context('given a non-introspectable type checker', function () { 8 | it('returns a literal node', function () { 9 | expect(analyze(PropTypes.string)).to.deep.equal({ 10 | type: 'literal', 11 | value: 'string', 12 | }); 13 | }); 14 | }); 15 | 16 | context('given a null for a checker', function () { 17 | it('returns a literal node with a null for a value', function () { 18 | expect(analyze(null)).to.deep.equal({ 19 | type: 'literal', 20 | value: null, 21 | }); 22 | }); 23 | }); 24 | 25 | context('given a REQUIRED non-introspectable type checker', function () { 26 | it('returns a literal node', function () { 27 | expect(analyze(PropTypes.string.isRequired)).to.deep.equal({ 28 | type: 'literal', 29 | value: 'string', 30 | isRequired: true, 31 | }); 32 | }); 33 | }); 34 | 35 | describe('PropTypes.shape', () => { 36 | it('generates the AST', function () { 37 | const shape = PropTypes.shape({ 38 | name: PropTypes.string, 39 | }); 40 | 41 | const ast = analyze(shape); 42 | 43 | expect(ast.type).to.equal('shape'); 44 | expect(ast.isRequired).to.equal(undefined); 45 | 46 | expect(ast.properties.length).to.equal(1); 47 | expect(ast.properties[0].name).to.equal('name'); 48 | expect(ast.properties[0].type).to.equal('literal'); 49 | expect(ast.properties[0].value).to.equal('string'); 50 | }); 51 | 52 | it('works with isRequired', function () { 53 | const shape = PropTypes.shape({ 54 | name: PropTypes.string, 55 | }).isRequired; 56 | 57 | const ast = analyze(shape); 58 | 59 | expect(ast.type).to.equal('shape'); 60 | expect(ast.isRequired).to.equal(true); 61 | }); 62 | 63 | it('works with nested shapes', function () { 64 | const shape = PropTypes.shape({ 65 | links: PropTypes.shape({ 66 | next: PropTypes.string, 67 | }), 68 | }); 69 | 70 | const ast = analyze(shape); 71 | 72 | expect(ast.properties.length).to.equal(1); 73 | expect(ast.properties[0].name).to.equal('links'); 74 | expect(ast.properties[0].type).to.equal('shape'); 75 | expect(ast.properties[0].properties.length).to.equal(1); 76 | expect(ast.properties[0].properties[0].name).to.equal('next'); 77 | expect(ast.properties[0].properties[0].type).to.equal('literal'); 78 | expect(ast.properties[0].properties[0].value).to.equal('string'); 79 | }); 80 | }); 81 | 82 | describe('PropTypes.arrayOf', function () { 83 | it('generates the AST', function () { 84 | const propType = PropTypes.arrayOf(PropTypes.string); 85 | const ast = analyze(propType); 86 | 87 | expect(ast.type).to.equal('arrayOf'); 88 | 89 | expect(ast.element).to.be.truthy; 90 | expect(ast.element.type).to.equal('literal'); 91 | expect(ast.element.value).to.equal('string'); 92 | }); 93 | }); 94 | 95 | describe('PropTypes.oneOfType', function () { 96 | it('generates an AST', function () { 97 | const propType = PropTypes.oneOfType([PropTypes.string, PropTypes.number]); 98 | const ast = analyze(propType); 99 | 100 | expect(ast.type).to.equal('oneOfType'); 101 | 102 | expect(ast.types).to.be.truthy; 103 | expect(ast.types.length).to.equal(2); 104 | 105 | expect(ast.types[0].type).to.equal('literal'); 106 | expect(ast.types[0].value).to.equal('string'); 107 | 108 | expect(ast.types[1].type).to.equal('literal'); 109 | expect(ast.types[1].value).to.equal('number'); 110 | }); 111 | }); 112 | }); 113 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # react-schema 2 | 3 | [![Build Status](https://travis-ci.org/philcockfield/react-schema.svg)](https://travis-ci.org/philcockfield/react-schema) 4 | 5 | Use react like [PropTypes](https://facebook.github.io/react/docs/reusable-components.html) for generic object validation. 6 | 7 | Note: Due to changes in React, PropTypes can no longer be accessed externally without 8 | causing warnings. So, the dependency on React has been dropped allowing the same wonderful 9 | schema functionality to be provided but without the ugly warnings (many thanks to [@eliot-akira](https://github.com/eliot-akira)). 10 | 11 | #### Concept 12 | 13 | React provides an extraordinarily concise yet powerful way of defining component API's via [PropTypes](https://facebook.github.io/react/docs/reusable-components.html). This module: 14 | 15 | - Makes it easy to re-use that system for generic validation of object structures decoupled from React UI components. 16 | - Provides an introspectable version of the PropTypes. 17 | 18 | ## Getting Started 19 | 20 | npm install react-schema 21 | 22 | #### Validation 23 | 24 | Validate an object against an API definition: 25 | 26 | ```js 27 | import schema, { PropTypes } from "react-schema"; 28 | 29 | // An API schema. 30 | const mySchema = { 31 | isEnabled: PropTypes.bool.isRequired, 32 | width: PropTypes.numberOrString, 33 | }; 34 | 35 | const myData = { 36 | isEnabled: true, 37 | width: "10px" 38 | }; 39 | 40 | // Validate an object against the API. 41 | schema.validate(mySchema, myData); // returns: { isValid: true } 42 | 43 | ``` 44 | 45 | #### Introspection 46 | 47 | You can introspect details about each type: 48 | 49 | ```js 50 | import { PropTypes } from "react-schema"; 51 | 52 | const myObject = PropTypes.shape({ isEnabled: PropTypes.bool }); 53 | myObject.$meta.type; // Equals: "shape" 54 | myObject.$meta.args; // Equals: { isEnabled: PropTypes.bool } 55 | 56 | 57 | const myEnum = PropTypes.oneOf(['one', 'two']); 58 | myEnum.$meta.type; // Equals: "oneOf" 59 | myEnum.$meta.args; // Equals: ['one', 'two'] 60 | ``` 61 | 62 | #### Defining your own custom PropTypes 63 | 64 | If you need the introspection behavior on a custom type, you need to wrap it using `createIntrospectableChecker`: 65 | 66 | ```js 67 | const { PropTypes } = require('react-schema'); 68 | const createIntrospectableChecker = require('react-schema/lib/utils/createIntrospectableChecker'); 69 | const MyCustomPropType = function() { 70 | // ... 71 | }; 72 | 73 | // First, we create an introspectable instance of it: 74 | const MyIntrospectableCustomPropType = createIntrospectableChecker(MyCustomPropType); 75 | 76 | // Now, we register it as a PropType: 77 | PropTypes.MyCustomPropType = MyIntrospectableCustomPropType; 78 | ``` 79 | 80 | Here's how to register an analyzer for a certain propType: 81 | 82 | ```js 83 | const PropTypeAnalyzer = require('react-schema/lib/PropTypeAnalyzer'); 84 | 85 | // @args will be whatever the propType checker was instantiated with 86 | PropTypeAnalyzer.defineAnalyzer('MyCustomPropType', function(args) { 87 | return { 88 | type: 'whatever', 89 | fields: args.map(function(arg) { 90 | return { type: 'literal', value: arg }; 91 | }) 92 | } 93 | }); 94 | 95 | // Later on in your consumer code: 96 | const schema = { 97 | someProp: PropTypes.MyCustomPropType(['foo']) 98 | }; 99 | 100 | console.log(PropTypeAnalyzer.generateAST(schema)); 101 | // => { type: 'whatever', fields: [{ type: 'literal', value: 'foo' }]} 102 | ``` 103 | 104 | And here's how to register a custom formatter: 105 | 106 | ```js 107 | const PropTypeFormatter = require('react-schema/lib/PropTypeFormatter'); 108 | 109 | // @args will be whatever the propType checker was instantiated with 110 | PropTypeFormatter.defineFormatter('MyCustomPropType', function(args) { 111 | return `MyCustomProp: [${args.join(', ')}]`; 112 | }); 113 | 114 | // Later on in your consumer code: 115 | const schema = PropTypes.MyCustomPropType(['foo']); 116 | 117 | console.log(PropTypeFormatter.format(schema)); 118 | // => "MyCustomProp: [foo]" 119 | ``` 120 | 121 | #### toString 122 | 123 | Property definitions created from the module wrapper provides expressive details about each type when converted to a string. 124 | 125 | You can cast a PropType node to a descriptive string (provided it has a formatter defined) using the `PropTypeFormatter`: 126 | 127 | ```js 128 | import { PropTypes } from "react-schema"; 129 | import { format } from "react-schema/lib/PropTypeFormatter"; 130 | 131 | const myEnum = PropTypes.oneOf(['one', 'two']); 132 | format(myEnum); // => "oneOf(one, two)" 133 | ``` 134 | 135 | ## Additional Types 136 | 137 | The complement the base PropTypes, the following commonly used definitions are available: 138 | 139 | - `PropType.numberOrString` 140 | - `PropType.boolOrString` 141 | 142 | 143 | 144 | 145 | ## Test 146 | # Run tests. 147 | npm test 148 | 149 | # Watch and re-run tests. 150 | npm run tdd 151 | 152 | 153 | 154 | ## Contributors 155 | 156 | - [Phil Cockfield](https://github.com/philcockfield) 157 | - [Ahmad Amireh](https://github.com/amireh) 158 | 159 | 160 | --- 161 | ### License: MIT 162 | -------------------------------------------------------------------------------- /src/ReactPropTypes.js: -------------------------------------------------------------------------------- 1 | /* eslint-disable */ 2 | /** 3 | * Copyright 2013-2015, Facebook, Inc. 4 | * All rights reserved. 5 | * 6 | * This source code is licensed under the BSD-style license found in the 7 | * LICENSE file in the root directory of this source tree. An additional grant 8 | * of patent rights can be found in the PATENTS file in the same directory. 9 | * 10 | * @providesModule ReactPropTypes 11 | */ 12 | 13 | 'use strict'; 14 | 15 | 16 | // The Symbol used to tag the ReactElement type. If there is no native Symbol 17 | // nor polyfill, then a plain number is used for performance. 18 | var REACT_ELEMENT_TYPE = 19 | (typeof Symbol === 'function' && Symbol.for && Symbol.for('react.element')) || 20 | 0xeac7; 21 | 22 | var ReactElement = {}; 23 | 24 | /** 25 | * @param {?object} object 26 | * @return {boolean} True if `object` is a valid component. 27 | * @final 28 | */ 29 | ReactElement.isValidElement = function(object) { 30 | return ( 31 | typeof object === 'object' && 32 | object !== null && 33 | object.$$typeof === REACT_ELEMENT_TYPE 34 | ); 35 | }; 36 | 37 | var ReactPropTypeLocationNames = { 38 | prop: 'prop', 39 | context: 'context', 40 | childContext: 'child context', 41 | }; 42 | 43 | 44 | 45 | 46 | var emptyFunction = { 47 | thatReturns: function(what) { 48 | return function(){ return what; }; 49 | } 50 | }; 51 | 52 | 53 | 54 | var ITERATOR_SYMBOL = typeof Symbol === 'function' && Symbol.iterator; 55 | var FAUX_ITERATOR_SYMBOL = '@@iterator'; // Before Symbol spec. 56 | function getIteratorFn(maybeIterable) { 57 | var iteratorFn = maybeIterable && ( 58 | (ITERATOR_SYMBOL && maybeIterable[ITERATOR_SYMBOL]) || 59 | maybeIterable[FAUX_ITERATOR_SYMBOL] 60 | ); 61 | if (typeof iteratorFn === 'function') { 62 | return iteratorFn; 63 | } 64 | } 65 | 66 | 67 | 68 | /** 69 | * Collection of methods that allow declaration and validation of props that are 70 | * supplied to React components. Example usage: 71 | * 72 | * var Props = require('ReactPropTypes'); 73 | * var MyArticle = React.createClass({ 74 | * propTypes: { 75 | * // An optional string prop named "description". 76 | * description: Props.string, 77 | * 78 | * // A required enum prop named "category". 79 | * category: Props.oneOf(['News','Photos']).isRequired, 80 | * 81 | * // A prop named "dialog" that requires an instance of Dialog. 82 | * dialog: Props.instanceOf(Dialog).isRequired 83 | * }, 84 | * render: function() { ... } 85 | * }); 86 | * 87 | * A more formal specification of how these methods are used: 88 | * 89 | * type := array|bool|func|object|number|string|oneOf([...])|instanceOf(...) 90 | * decl := ReactPropTypes.{type}(.isRequired)? 91 | * 92 | * Each and every declaration produces a function with the same signature. This 93 | * allows the creation of custom validation functions. For example: 94 | * 95 | * var MyLink = React.createClass({ 96 | * propTypes: { 97 | * // An optional string or URI prop named "href". 98 | * href: function(props, propName, componentName) { 99 | * var propValue = props[propName]; 100 | * if (propValue != null && typeof propValue !== 'string' && 101 | * !(propValue instanceof URI)) { 102 | * return new Error( 103 | * 'Expected a string or an URI for ' + propName + ' in ' + 104 | * componentName 105 | * ); 106 | * } 107 | * } 108 | * }, 109 | * render: function() {...} 110 | * }); 111 | * 112 | * @internal 113 | */ 114 | 115 | var ANONYMOUS = '<>'; 116 | 117 | var ReactPropTypes = { 118 | array: createPrimitiveTypeChecker('array'), 119 | bool: createPrimitiveTypeChecker('boolean'), 120 | func: createPrimitiveTypeChecker('function'), 121 | number: createPrimitiveTypeChecker('number'), 122 | object: createPrimitiveTypeChecker('object'), 123 | string: createPrimitiveTypeChecker('string'), 124 | symbol: createPrimitiveTypeChecker('symbol'), 125 | 126 | any: createAnyTypeChecker(), 127 | arrayOf: createArrayOfTypeChecker, 128 | element: createElementTypeChecker(), 129 | instanceOf: createInstanceTypeChecker, 130 | node: createNodeChecker(), 131 | objectOf: createObjectOfTypeChecker, 132 | oneOf: createEnumTypeChecker, 133 | oneOfType: createUnionTypeChecker, 134 | shape: createShapeTypeChecker, 135 | }; 136 | 137 | function createChainableTypeChecker(validate) { 138 | function checkType( 139 | isRequired, 140 | props, 141 | propName, 142 | componentName, 143 | location, 144 | propFullName 145 | ) { 146 | componentName = componentName || ANONYMOUS; 147 | propFullName = propFullName || propName; 148 | if (props[propName] == null) { 149 | var locationName = ReactPropTypeLocationNames[location]; 150 | if (isRequired) { 151 | return new Error( 152 | `Required ${locationName} \`${propFullName}\` was not specified in ` + 153 | `\`${componentName}\`.` 154 | ); 155 | } 156 | return null; 157 | } else { 158 | return validate(props, propName, componentName, location, propFullName); 159 | } 160 | } 161 | 162 | var chainedCheckType = checkType.bind(null, false); 163 | chainedCheckType.isRequired = checkType.bind(null, true); 164 | 165 | return chainedCheckType; 166 | } 167 | 168 | function createPrimitiveTypeChecker(expectedType) { 169 | function validate(props, propName, componentName, location, propFullName) { 170 | var propValue = props[propName]; 171 | var propType = getPropType(propValue); 172 | if (propType !== expectedType) { 173 | var locationName = ReactPropTypeLocationNames[location]; 174 | // `propValue` being instance of, say, date/regexp, pass the 'object' 175 | // check, but we can offer a more precise error message here rather than 176 | // 'of type `object`'. 177 | var preciseType = getPreciseType(propValue); 178 | 179 | return new Error( 180 | `Invalid ${locationName} \`${propFullName}\` of type ` + 181 | `\`${preciseType}\` supplied to \`${componentName}\`, expected ` + 182 | `\`${expectedType}\`.` 183 | ); 184 | } 185 | return null; 186 | } 187 | return createChainableTypeChecker(validate); 188 | } 189 | 190 | function createAnyTypeChecker() { 191 | return createChainableTypeChecker(emptyFunction.thatReturns(null)); 192 | } 193 | 194 | function createArrayOfTypeChecker(typeChecker) { 195 | function validate(props, propName, componentName, location, propFullName) { 196 | var propValue = props[propName]; 197 | if (!Array.isArray(propValue)) { 198 | var locationName = ReactPropTypeLocationNames[location]; 199 | var propType = getPropType(propValue); 200 | return new Error( 201 | `Invalid ${locationName} \`${propFullName}\` of type ` + 202 | `\`${propType}\` supplied to \`${componentName}\`, expected an array.` 203 | ); 204 | } 205 | for (var i = 0; i < propValue.length; i++) { 206 | var error = typeChecker( 207 | propValue, 208 | i, 209 | componentName, 210 | location, 211 | `${propFullName}[${i}]` 212 | ); 213 | if (error instanceof Error) { 214 | return error; 215 | } 216 | } 217 | return null; 218 | } 219 | return createChainableTypeChecker(validate); 220 | } 221 | 222 | function createElementTypeChecker() { 223 | function validate(props, propName, componentName, location, propFullName) { 224 | if (!ReactElement.isValidElement(props[propName])) { 225 | var locationName = ReactPropTypeLocationNames[location]; 226 | return new Error( 227 | `Invalid ${locationName} \`${propFullName}\` supplied to ` + 228 | `\`${componentName}\`, expected a single ReactElement.` 229 | ); 230 | } 231 | return null; 232 | } 233 | return createChainableTypeChecker(validate); 234 | } 235 | 236 | function createInstanceTypeChecker(expectedClass) { 237 | function validate(props, propName, componentName, location, propFullName) { 238 | if (!(props[propName] instanceof expectedClass)) { 239 | var locationName = ReactPropTypeLocationNames[location]; 240 | var expectedClassName = expectedClass.name || ANONYMOUS; 241 | var actualClassName = getClassName(props[propName]); 242 | return new Error( 243 | `Invalid ${locationName} \`${propFullName}\` of type ` + 244 | `\`${actualClassName}\` supplied to \`${componentName}\`, expected ` + 245 | `instance of \`${expectedClassName}\`.` 246 | ); 247 | } 248 | return null; 249 | } 250 | return createChainableTypeChecker(validate); 251 | } 252 | 253 | function createEnumTypeChecker(expectedValues) { 254 | if (!Array.isArray(expectedValues)) { 255 | return createChainableTypeChecker(function() { 256 | return new Error( 257 | `Invalid argument supplied to oneOf, expected an instance of array.` 258 | ); 259 | }); 260 | } 261 | 262 | function validate(props, propName, componentName, location, propFullName) { 263 | var propValue = props[propName]; 264 | for (var i = 0; i < expectedValues.length; i++) { 265 | if (propValue === expectedValues[i]) { 266 | return null; 267 | } 268 | } 269 | 270 | var locationName = ReactPropTypeLocationNames[location]; 271 | var valuesString = JSON.stringify(expectedValues); 272 | return new Error( 273 | `Invalid ${locationName} \`${propFullName}\` of value \`${propValue}\` ` + 274 | `supplied to \`${componentName}\`, expected one of ${valuesString}.` 275 | ); 276 | } 277 | return createChainableTypeChecker(validate); 278 | } 279 | 280 | function createObjectOfTypeChecker(typeChecker) { 281 | function validate(props, propName, componentName, location, propFullName) { 282 | var propValue = props[propName]; 283 | var propType = getPropType(propValue); 284 | if (propType !== 'object') { 285 | var locationName = ReactPropTypeLocationNames[location]; 286 | return new Error( 287 | `Invalid ${locationName} \`${propFullName}\` of type ` + 288 | `\`${propType}\` supplied to \`${componentName}\`, expected an object.` 289 | ); 290 | } 291 | for (var key in propValue) { 292 | if (propValue.hasOwnProperty(key)) { 293 | var error = typeChecker( 294 | propValue, 295 | key, 296 | componentName, 297 | location, 298 | `${propFullName}.${key}` 299 | ); 300 | if (error instanceof Error) { 301 | return error; 302 | } 303 | } 304 | } 305 | return null; 306 | } 307 | return createChainableTypeChecker(validate); 308 | } 309 | 310 | function createUnionTypeChecker(arrayOfTypeCheckers) { 311 | if (!Array.isArray(arrayOfTypeCheckers)) { 312 | return createChainableTypeChecker(function() { 313 | return new Error( 314 | `Invalid argument supplied to oneOfType, expected an instance of array.` 315 | ); 316 | }); 317 | } 318 | 319 | function validate(props, propName, componentName, location, propFullName) { 320 | for (var i = 0; i < arrayOfTypeCheckers.length; i++) { 321 | var checker = arrayOfTypeCheckers[i]; 322 | if ( 323 | checker(props, propName, componentName, location, propFullName) == null 324 | ) { 325 | return null; 326 | } 327 | } 328 | 329 | var locationName = ReactPropTypeLocationNames[location]; 330 | return new Error( 331 | `Invalid ${locationName} \`${propFullName}\` supplied to ` + 332 | `\`${componentName}\`.` 333 | ); 334 | } 335 | return createChainableTypeChecker(validate); 336 | } 337 | 338 | function createNodeChecker() { 339 | function validate(props, propName, componentName, location, propFullName) { 340 | if (!isNode(props[propName])) { 341 | var locationName = ReactPropTypeLocationNames[location]; 342 | return new Error( 343 | `Invalid ${locationName} \`${propFullName}\` supplied to ` + 344 | `\`${componentName}\`, expected a ReactNode.` 345 | ); 346 | } 347 | return null; 348 | } 349 | return createChainableTypeChecker(validate); 350 | } 351 | 352 | function createShapeTypeChecker(shapeTypes) { 353 | function validate(props, propName, componentName, location, propFullName) { 354 | var propValue = props[propName]; 355 | var propType = getPropType(propValue); 356 | if (propType !== 'object') { 357 | var locationName = ReactPropTypeLocationNames[location]; 358 | return new Error( 359 | `Invalid ${locationName} \`${propFullName}\` of type \`${propType}\` ` + 360 | `supplied to \`${componentName}\`, expected \`object\`.` 361 | ); 362 | } 363 | for (var key in shapeTypes) { 364 | var checker = shapeTypes[key]; 365 | if (!checker) { 366 | continue; 367 | } 368 | var error = checker( 369 | propValue, 370 | key, 371 | componentName, 372 | location, 373 | `${propFullName}.${key}` 374 | ); 375 | if (error) { 376 | return error; 377 | } 378 | } 379 | return null; 380 | } 381 | return createChainableTypeChecker(validate); 382 | } 383 | 384 | function isNode(propValue) { 385 | switch (typeof propValue) { 386 | case 'number': 387 | case 'string': 388 | case 'undefined': 389 | return true; 390 | case 'boolean': 391 | return !propValue; 392 | case 'object': 393 | if (Array.isArray(propValue)) { 394 | return propValue.every(isNode); 395 | } 396 | if (propValue === null || ReactElement.isValidElement(propValue)) { 397 | return true; 398 | } 399 | 400 | var iteratorFn = getIteratorFn(propValue); 401 | if (iteratorFn) { 402 | var iterator = iteratorFn.call(propValue); 403 | var step; 404 | if (iteratorFn !== propValue.entries) { 405 | while (!(step = iterator.next()).done) { 406 | if (!isNode(step.value)) { 407 | return false; 408 | } 409 | } 410 | } else { 411 | // Iterator will provide entry [k,v] tuples rather than values. 412 | while (!(step = iterator.next()).done) { 413 | var entry = step.value; 414 | if (entry) { 415 | if (!isNode(entry[1])) { 416 | return false; 417 | } 418 | } 419 | } 420 | } 421 | } else { 422 | return false; 423 | } 424 | 425 | return true; 426 | default: 427 | return false; 428 | } 429 | } 430 | 431 | // Equivalent of `typeof` but with special handling for array and regexp. 432 | function getPropType(propValue) { 433 | var propType = typeof propValue; 434 | if (Array.isArray(propValue)) { 435 | return 'array'; 436 | } 437 | if (propValue instanceof RegExp) { 438 | // Old webkits (at least until Android 4.0) return 'function' rather than 439 | // 'object' for typeof a RegExp. We'll normalize this here so that /bla/ 440 | // passes PropTypes.object. 441 | return 'object'; 442 | } 443 | return propType; 444 | } 445 | 446 | // This handles more types than `getPropType`. Only used for error messages. 447 | // See `createPrimitiveTypeChecker`. 448 | function getPreciseType(propValue) { 449 | var propType = getPropType(propValue); 450 | if (propType === 'object') { 451 | if (propValue instanceof Date) { 452 | return 'date'; 453 | } else if (propValue instanceof RegExp) { 454 | return 'regexp'; 455 | } 456 | } 457 | return propType; 458 | } 459 | 460 | // Returns class name of the object, if any. 461 | function getClassName(propValue) { 462 | if (!propValue.constructor || !propValue.constructor.name) { 463 | return ANONYMOUS; 464 | } 465 | return propValue.constructor.name; 466 | } 467 | 468 | module.exports = ReactPropTypes; -------------------------------------------------------------------------------- /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.0.9" 7 | resolved "https://registry.yarnpkg.com/abbrev/-/abbrev-1.0.9.tgz#91b4792588a7738c25f35dd6f63752a2f8776135" 8 | 9 | acorn-jsx@^3.0.0, acorn-jsx@^3.0.1: 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@^4.0.1: 20 | version "4.0.3" 21 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-4.0.3.tgz#1a3e850b428e73ba6b09d1cc527f5aaad4d03ef1" 22 | 23 | ajv-keywords@^1.0.0: 24 | version "1.1.1" 25 | resolved "https://registry.yarnpkg.com/ajv-keywords/-/ajv-keywords-1.1.1.tgz#02550bc605a3e576041565628af972e06c549d50" 26 | 27 | ajv@^4.7.0: 28 | version "4.8.2" 29 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-4.8.2.tgz#65486936ca36fea39a1504332a78bebd5d447bdc" 30 | dependencies: 31 | co "^4.6.0" 32 | json-stable-stringify "^1.0.1" 33 | 34 | ansi-escapes@^1.1.0: 35 | version "1.4.0" 36 | resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-1.4.0.tgz#d3a8a83b319aa67793662b13e761c7911422306e" 37 | 38 | ansi-regex@^2.0.0: 39 | version "2.0.0" 40 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.0.0.tgz#c5061b6e0ef8a81775e50f5d66151bf6bf371107" 41 | 42 | ansi-styles@^2.1.0, ansi-styles@^2.2.1: 43 | version "2.2.1" 44 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-2.2.1.tgz#b432dd3358b634cf75e1e4664368240533c1ddbe" 45 | 46 | anymatch@^1.3.0: 47 | version "1.3.0" 48 | resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-1.3.0.tgz#a3e52fa39168c825ff57b0248126ce5a8ff95507" 49 | dependencies: 50 | arrify "^1.0.0" 51 | micromatch "^2.1.5" 52 | 53 | aproba@^1.0.3: 54 | version "1.0.4" 55 | resolved "https://registry.yarnpkg.com/aproba/-/aproba-1.0.4.tgz#2713680775e7614c8ba186c065d4e2e52d1072c0" 56 | 57 | are-we-there-yet@~1.1.2: 58 | version "1.1.2" 59 | resolved "https://registry.yarnpkg.com/are-we-there-yet/-/are-we-there-yet-1.1.2.tgz#80e470e95a084794fe1899262c5667c6e88de1b3" 60 | dependencies: 61 | delegates "^1.0.0" 62 | readable-stream "^2.0.0 || ^1.1.13" 63 | 64 | argparse@^1.0.7: 65 | version "1.0.9" 66 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-1.0.9.tgz#73d83bc263f86e97f8cc4f6bae1b0e90a7d22c86" 67 | dependencies: 68 | sprintf-js "~1.0.2" 69 | 70 | arr-diff@^2.0.0: 71 | version "2.0.0" 72 | resolved "https://registry.yarnpkg.com/arr-diff/-/arr-diff-2.0.0.tgz#8f3b827f955a8bd669697e4a4256ac3ceae356cf" 73 | dependencies: 74 | arr-flatten "^1.0.1" 75 | 76 | arr-flatten@^1.0.1: 77 | version "1.0.1" 78 | resolved "https://registry.yarnpkg.com/arr-flatten/-/arr-flatten-1.0.1.tgz#e5ffe54d45e19f32f216e91eb99c8ce892bb604b" 79 | 80 | array-find-index@^1.0.1: 81 | version "1.0.2" 82 | resolved "https://registry.yarnpkg.com/array-find-index/-/array-find-index-1.0.2.tgz#df010aa1287e164bbda6f9723b0a96a1ec4187a1" 83 | 84 | array-union@^1.0.1: 85 | version "1.0.2" 86 | resolved "https://registry.yarnpkg.com/array-union/-/array-union-1.0.2.tgz#9a34410e4f4e3da23dea375be5be70f24778ec39" 87 | dependencies: 88 | array-uniq "^1.0.1" 89 | 90 | array-uniq@^1.0.0, array-uniq@^1.0.1: 91 | version "1.0.3" 92 | resolved "https://registry.yarnpkg.com/array-uniq/-/array-uniq-1.0.3.tgz#af6ac877a25cc7f74e058894753858dfdb24fdb6" 93 | 94 | array-unique@^0.2.1: 95 | version "0.2.1" 96 | resolved "https://registry.yarnpkg.com/array-unique/-/array-unique-0.2.1.tgz#a1d97ccafcbc2625cc70fadceb36a50c58b01a53" 97 | 98 | arrify@^1.0.0: 99 | version "1.0.1" 100 | resolved "https://registry.yarnpkg.com/arrify/-/arrify-1.0.1.tgz#898508da2226f380df904728456849c1501a4b0d" 101 | 102 | asap@~2.0.3: 103 | version "2.0.5" 104 | resolved "https://registry.yarnpkg.com/asap/-/asap-2.0.5.tgz#522765b50c3510490e52d7dcfe085ef9ba96958f" 105 | 106 | asn1@~0.2.3: 107 | version "0.2.3" 108 | resolved "https://registry.yarnpkg.com/asn1/-/asn1-0.2.3.tgz#dac8787713c9966849fc8180777ebe9c1ddf3b86" 109 | 110 | assert-plus@^0.2.0: 111 | version "0.2.0" 112 | resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-0.2.0.tgz#d74e1b87e7affc0db8aadb7021f3fe48101ab234" 113 | 114 | assert-plus@^1.0.0: 115 | version "1.0.0" 116 | resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-1.0.0.tgz#f12e0f3c5d77b0b1cdd9146942e4e96c1e4dd525" 117 | 118 | assertion-error@^1.0.1: 119 | version "1.0.2" 120 | resolved "https://registry.yarnpkg.com/assertion-error/-/assertion-error-1.0.2.tgz#13ca515d86206da0bac66e834dd397d87581094c" 121 | 122 | async-each@^1.0.0: 123 | version "1.0.1" 124 | resolved "https://registry.yarnpkg.com/async-each/-/async-each-1.0.1.tgz#19d386a1d9edc6e7c1c85d388aedbcc56d33602d" 125 | 126 | asynckit@^0.4.0: 127 | version "0.4.0" 128 | resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79" 129 | 130 | aws-sign2@~0.6.0: 131 | version "0.6.0" 132 | resolved "https://registry.yarnpkg.com/aws-sign2/-/aws-sign2-0.6.0.tgz#14342dd38dbcc94d0e5b87d763cd63612c0e794f" 133 | 134 | aws4@^1.2.1: 135 | version "1.5.0" 136 | resolved "https://registry.yarnpkg.com/aws4/-/aws4-1.5.0.tgz#0a29ffb79c31c9e712eeb087e8e7a64b4a56d755" 137 | 138 | babel-cli@6.10.1: 139 | version "6.10.1" 140 | resolved "https://registry.yarnpkg.com/babel-cli/-/babel-cli-6.10.1.tgz#844e4b327781b0e9297629213bbf67b706ed2b35" 141 | dependencies: 142 | babel-core "^6.9.0" 143 | babel-polyfill "^6.9.0" 144 | babel-register "^6.9.0" 145 | babel-runtime "^6.9.0" 146 | bin-version-check "^2.1.0" 147 | chalk "1.1.1" 148 | commander "^2.8.1" 149 | convert-source-map "^1.1.0" 150 | fs-readdir-recursive "^0.1.0" 151 | glob "^5.0.5" 152 | lodash "^4.2.0" 153 | log-symbols "^1.0.2" 154 | output-file-sync "^1.1.0" 155 | path-exists "^1.0.0" 156 | path-is-absolute "^1.0.0" 157 | request "^2.65.0" 158 | slash "^1.0.0" 159 | source-map "^0.5.0" 160 | v8flags "^2.0.10" 161 | optionalDependencies: 162 | chokidar "^1.0.0" 163 | 164 | babel-cli@6.14.0: 165 | version "6.14.0" 166 | resolved "https://registry.yarnpkg.com/babel-cli/-/babel-cli-6.14.0.tgz#cbc778ad1ff4e58c87b87d7e08993993c2d3b75f" 167 | dependencies: 168 | babel-core "^6.14.0" 169 | babel-polyfill "^6.9.0" 170 | babel-register "^6.14.0" 171 | babel-runtime "^6.9.0" 172 | bin-version-check "^2.1.0" 173 | chalk "1.1.1" 174 | commander "^2.8.1" 175 | convert-source-map "^1.1.0" 176 | fs-readdir-recursive "^0.1.0" 177 | glob "^5.0.5" 178 | lodash "^4.2.0" 179 | log-symbols "^1.0.2" 180 | output-file-sync "^1.1.0" 181 | path-exists "^1.0.0" 182 | path-is-absolute "^1.0.0" 183 | request "^2.65.0" 184 | slash "^1.0.0" 185 | source-map "^0.5.0" 186 | v8flags "^2.0.10" 187 | optionalDependencies: 188 | chokidar "^1.0.0" 189 | 190 | babel-code-frame@^6.16.0, babel-code-frame@^6.8.0: 191 | version "6.16.0" 192 | resolved "https://registry.yarnpkg.com/babel-code-frame/-/babel-code-frame-6.16.0.tgz#f90e60da0862909d3ce098733b5d3987c97cb8de" 193 | dependencies: 194 | chalk "^1.1.0" 195 | esutils "^2.0.2" 196 | js-tokens "^2.0.0" 197 | 198 | babel-core@^6.11.4, babel-core@^6.14.0, babel-core@^6.18.0, babel-core@^6.9.0: 199 | version "6.18.0" 200 | resolved "https://registry.yarnpkg.com/babel-core/-/babel-core-6.18.0.tgz#bb5ce9bc0a956e6e94e2f12d597abb3b0b330deb" 201 | dependencies: 202 | babel-code-frame "^6.16.0" 203 | babel-generator "^6.18.0" 204 | babel-helpers "^6.16.0" 205 | babel-messages "^6.8.0" 206 | babel-register "^6.18.0" 207 | babel-runtime "^6.9.1" 208 | babel-template "^6.16.0" 209 | babel-traverse "^6.18.0" 210 | babel-types "^6.18.0" 211 | babylon "^6.11.0" 212 | convert-source-map "^1.1.0" 213 | debug "^2.1.1" 214 | json5 "^0.5.0" 215 | lodash "^4.2.0" 216 | minimatch "^3.0.2" 217 | path-is-absolute "^1.0.0" 218 | private "^0.1.6" 219 | slash "^1.0.0" 220 | source-map "^0.5.0" 221 | 222 | babel-core@6.11.4: 223 | version "6.11.4" 224 | resolved "https://registry.yarnpkg.com/babel-core/-/babel-core-6.11.4.tgz#cc55a4f3239aa050f852dd68bffc95f886848316" 225 | dependencies: 226 | babel-code-frame "^6.8.0" 227 | babel-generator "^6.11.4" 228 | babel-helpers "^6.8.0" 229 | babel-messages "^6.8.0" 230 | babel-register "^6.9.0" 231 | babel-runtime "^6.9.1" 232 | babel-template "^6.9.0" 233 | babel-traverse "^6.11.4" 234 | babel-types "^6.9.1" 235 | babylon "^6.7.0" 236 | convert-source-map "^1.1.0" 237 | debug "^2.1.1" 238 | json5 "^0.4.0" 239 | lodash "^4.2.0" 240 | minimatch "^3.0.2" 241 | path-exists "^1.0.0" 242 | path-is-absolute "^1.0.0" 243 | private "^0.1.6" 244 | shebang-regex "^1.0.0" 245 | slash "^1.0.0" 246 | source-map "^0.5.0" 247 | 248 | babel-eslint@6.0.4: 249 | version "6.0.4" 250 | resolved "https://registry.yarnpkg.com/babel-eslint/-/babel-eslint-6.0.4.tgz#cf87dcd516241b2e01d85e80e08e849a232bdef7" 251 | dependencies: 252 | babel-traverse "^6.0.20" 253 | babel-types "^6.0.19" 254 | babylon "^6.0.18" 255 | lodash.assign "^4.0.0" 256 | lodash.pickby "^4.0.0" 257 | 258 | babel-generator@^6.11.4, babel-generator@^6.18.0: 259 | version "6.18.0" 260 | resolved "https://registry.yarnpkg.com/babel-generator/-/babel-generator-6.18.0.tgz#e4f104cb3063996d9850556a45aae4a022060a07" 261 | dependencies: 262 | babel-messages "^6.8.0" 263 | babel-runtime "^6.9.0" 264 | babel-types "^6.18.0" 265 | detect-indent "^4.0.0" 266 | jsesc "^1.3.0" 267 | lodash "^4.2.0" 268 | source-map "^0.5.0" 269 | 270 | babel-helper-builder-binary-assignment-operator-visitor@^6.8.0: 271 | version "6.18.0" 272 | resolved "https://registry.yarnpkg.com/babel-helper-builder-binary-assignment-operator-visitor/-/babel-helper-builder-binary-assignment-operator-visitor-6.18.0.tgz#8ae814989f7a53682152e3401a04fabd0bb333a6" 273 | dependencies: 274 | babel-helper-explode-assignable-expression "^6.18.0" 275 | babel-runtime "^6.0.0" 276 | babel-types "^6.18.0" 277 | 278 | babel-helper-builder-react-jsx@^6.8.0: 279 | version "6.18.0" 280 | resolved "https://registry.yarnpkg.com/babel-helper-builder-react-jsx/-/babel-helper-builder-react-jsx-6.18.0.tgz#ab02f19a2eb7ace936dd87fa55896d02be59bf71" 281 | dependencies: 282 | babel-runtime "^6.9.0" 283 | babel-types "^6.18.0" 284 | esutils "^2.0.0" 285 | lodash "^4.2.0" 286 | 287 | babel-helper-call-delegate@^6.18.0: 288 | version "6.18.0" 289 | resolved "https://registry.yarnpkg.com/babel-helper-call-delegate/-/babel-helper-call-delegate-6.18.0.tgz#05b14aafa430884b034097ef29e9f067ea4133bd" 290 | dependencies: 291 | babel-helper-hoist-variables "^6.18.0" 292 | babel-runtime "^6.0.0" 293 | babel-traverse "^6.18.0" 294 | babel-types "^6.18.0" 295 | 296 | babel-helper-define-map@^6.18.0, babel-helper-define-map@^6.8.0: 297 | version "6.18.0" 298 | resolved "https://registry.yarnpkg.com/babel-helper-define-map/-/babel-helper-define-map-6.18.0.tgz#8d6c85dc7fbb4c19be3de40474d18e97c3676ec2" 299 | dependencies: 300 | babel-helper-function-name "^6.18.0" 301 | babel-runtime "^6.9.0" 302 | babel-types "^6.18.0" 303 | lodash "^4.2.0" 304 | 305 | babel-helper-explode-assignable-expression@^6.18.0: 306 | version "6.18.0" 307 | resolved "https://registry.yarnpkg.com/babel-helper-explode-assignable-expression/-/babel-helper-explode-assignable-expression-6.18.0.tgz#14b8e8c2d03ad735d4b20f1840b24cd1f65239fe" 308 | dependencies: 309 | babel-runtime "^6.0.0" 310 | babel-traverse "^6.18.0" 311 | babel-types "^6.18.0" 312 | 313 | babel-helper-function-name@^6.18.0, babel-helper-function-name@^6.8.0: 314 | version "6.18.0" 315 | resolved "https://registry.yarnpkg.com/babel-helper-function-name/-/babel-helper-function-name-6.18.0.tgz#68ec71aeba1f3e28b2a6f0730190b754a9bf30e6" 316 | dependencies: 317 | babel-helper-get-function-arity "^6.18.0" 318 | babel-runtime "^6.0.0" 319 | babel-template "^6.8.0" 320 | babel-traverse "^6.18.0" 321 | babel-types "^6.18.0" 322 | 323 | babel-helper-get-function-arity@^6.18.0: 324 | version "6.18.0" 325 | resolved "https://registry.yarnpkg.com/babel-helper-get-function-arity/-/babel-helper-get-function-arity-6.18.0.tgz#a5b19695fd3f9cdfc328398b47dafcd7094f9f24" 326 | dependencies: 327 | babel-runtime "^6.0.0" 328 | babel-types "^6.18.0" 329 | 330 | babel-helper-hoist-variables@^6.18.0: 331 | version "6.18.0" 332 | resolved "https://registry.yarnpkg.com/babel-helper-hoist-variables/-/babel-helper-hoist-variables-6.18.0.tgz#a835b5ab8b46d6de9babefae4d98ea41e866b82a" 333 | dependencies: 334 | babel-runtime "^6.0.0" 335 | babel-types "^6.18.0" 336 | 337 | babel-helper-optimise-call-expression@^6.18.0: 338 | version "6.18.0" 339 | resolved "https://registry.yarnpkg.com/babel-helper-optimise-call-expression/-/babel-helper-optimise-call-expression-6.18.0.tgz#9261d0299ee1a4f08a6dd28b7b7c777348fd8f0f" 340 | dependencies: 341 | babel-runtime "^6.0.0" 342 | babel-types "^6.18.0" 343 | 344 | babel-helper-regex@^6.8.0: 345 | version "6.18.0" 346 | resolved "https://registry.yarnpkg.com/babel-helper-regex/-/babel-helper-regex-6.18.0.tgz#ae0ebfd77de86cb2f1af258e2cc20b5fe893ecc6" 347 | dependencies: 348 | babel-runtime "^6.9.0" 349 | babel-types "^6.18.0" 350 | lodash "^4.2.0" 351 | 352 | babel-helper-replace-supers@^6.18.0, babel-helper-replace-supers@^6.8.0: 353 | version "6.18.0" 354 | resolved "https://registry.yarnpkg.com/babel-helper-replace-supers/-/babel-helper-replace-supers-6.18.0.tgz#28ec69877be4144dbd64f4cc3a337e89f29a924e" 355 | dependencies: 356 | babel-helper-optimise-call-expression "^6.18.0" 357 | babel-messages "^6.8.0" 358 | babel-runtime "^6.0.0" 359 | babel-template "^6.16.0" 360 | babel-traverse "^6.18.0" 361 | babel-types "^6.18.0" 362 | 363 | babel-helpers@^6.16.0, babel-helpers@^6.8.0: 364 | version "6.16.0" 365 | resolved "https://registry.yarnpkg.com/babel-helpers/-/babel-helpers-6.16.0.tgz#1095ec10d99279460553e67eb3eee9973d3867e3" 366 | dependencies: 367 | babel-runtime "^6.0.0" 368 | babel-template "^6.16.0" 369 | 370 | babel-messages@^6.8.0: 371 | version "6.8.0" 372 | resolved "https://registry.yarnpkg.com/babel-messages/-/babel-messages-6.8.0.tgz#bf504736ca967e6d65ef0adb5a2a5f947c8e0eb9" 373 | dependencies: 374 | babel-runtime "^6.0.0" 375 | 376 | babel-plugin-check-es2015-constants@^6.3.13: 377 | version "6.8.0" 378 | resolved "https://registry.yarnpkg.com/babel-plugin-check-es2015-constants/-/babel-plugin-check-es2015-constants-6.8.0.tgz#dbf024c32ed37bfda8dee1e76da02386a8d26fe7" 379 | dependencies: 380 | babel-runtime "^6.0.0" 381 | 382 | babel-plugin-syntax-async-functions@^6.8.0: 383 | version "6.13.0" 384 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-async-functions/-/babel-plugin-syntax-async-functions-6.13.0.tgz#cad9cad1191b5ad634bf30ae0872391e0647be95" 385 | 386 | babel-plugin-syntax-async-functions@6.8.0: 387 | version "6.8.0" 388 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-async-functions/-/babel-plugin-syntax-async-functions-6.8.0.tgz#d872ca350863355b7842ab47c8094aff12dbebc8" 389 | dependencies: 390 | babel-runtime "^6.0.0" 391 | 392 | babel-plugin-syntax-class-properties@^6.8.0: 393 | version "6.13.0" 394 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-class-properties/-/babel-plugin-syntax-class-properties-6.13.0.tgz#d7eb23b79a317f8543962c505b827c7d6cac27de" 395 | 396 | babel-plugin-syntax-exponentiation-operator@^6.8.0: 397 | version "6.13.0" 398 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-exponentiation-operator/-/babel-plugin-syntax-exponentiation-operator-6.13.0.tgz#9ee7e8337290da95288201a6a57f4170317830de" 399 | 400 | babel-plugin-syntax-flow@^6.18.0, babel-plugin-syntax-flow@^6.3.13: 401 | version "6.18.0" 402 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-flow/-/babel-plugin-syntax-flow-6.18.0.tgz#4c3ab20a2af26aa20cd25995c398c4eb70310c8d" 403 | 404 | babel-plugin-syntax-jsx@^6.3.13, babel-plugin-syntax-jsx@^6.8.0: 405 | version "6.18.0" 406 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-jsx/-/babel-plugin-syntax-jsx-6.18.0.tgz#0af32a9a6e13ca7a3fd5069e62d7b0f58d0d8946" 407 | 408 | babel-plugin-syntax-object-rest-spread@^6.8.0: 409 | version "6.13.0" 410 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-object-rest-spread/-/babel-plugin-syntax-object-rest-spread-6.13.0.tgz#fd6536f2bce13836ffa3a5458c4903a597bb3bf5" 411 | 412 | babel-plugin-syntax-trailing-function-commas@6.8.0: 413 | version "6.8.0" 414 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-trailing-function-commas/-/babel-plugin-syntax-trailing-function-commas-6.8.0.tgz#c2afdf759c2037f5efe36febfabf345cd8cc7cbf" 415 | dependencies: 416 | babel-runtime "^6.0.0" 417 | 418 | babel-plugin-transform-class-properties@6.11.5: 419 | version "6.11.5" 420 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-class-properties/-/babel-plugin-transform-class-properties-6.11.5.tgz#429c7a4e7d8ac500448eb14ec502604bc568c91c" 421 | dependencies: 422 | babel-helper-function-name "^6.8.0" 423 | babel-plugin-syntax-class-properties "^6.8.0" 424 | babel-runtime "^6.9.1" 425 | 426 | babel-plugin-transform-es2015-arrow-functions@^6.3.13: 427 | version "6.8.0" 428 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-arrow-functions/-/babel-plugin-transform-es2015-arrow-functions-6.8.0.tgz#5b63afc3181bdc9a8c4d481b5a4f3f7d7fef3d9d" 429 | dependencies: 430 | babel-runtime "^6.0.0" 431 | 432 | babel-plugin-transform-es2015-block-scoped-functions@^6.3.13: 433 | version "6.8.0" 434 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-block-scoped-functions/-/babel-plugin-transform-es2015-block-scoped-functions-6.8.0.tgz#ed95d629c4b5a71ae29682b998f70d9833eb366d" 435 | dependencies: 436 | babel-runtime "^6.0.0" 437 | 438 | babel-plugin-transform-es2015-block-scoping@^6.9.0: 439 | version "6.18.0" 440 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-block-scoping/-/babel-plugin-transform-es2015-block-scoping-6.18.0.tgz#3bfdcfec318d46df22525cdea88f1978813653af" 441 | dependencies: 442 | babel-runtime "^6.9.0" 443 | babel-template "^6.15.0" 444 | babel-traverse "^6.18.0" 445 | babel-types "^6.18.0" 446 | lodash "^4.2.0" 447 | 448 | babel-plugin-transform-es2015-classes@^6.9.0: 449 | version "6.18.0" 450 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-classes/-/babel-plugin-transform-es2015-classes-6.18.0.tgz#ffe7a17321bf83e494dcda0ae3fc72df48ffd1d9" 451 | dependencies: 452 | babel-helper-define-map "^6.18.0" 453 | babel-helper-function-name "^6.18.0" 454 | babel-helper-optimise-call-expression "^6.18.0" 455 | babel-helper-replace-supers "^6.18.0" 456 | babel-messages "^6.8.0" 457 | babel-runtime "^6.9.0" 458 | babel-template "^6.14.0" 459 | babel-traverse "^6.18.0" 460 | babel-types "^6.18.0" 461 | 462 | babel-plugin-transform-es2015-computed-properties@^6.3.13: 463 | version "6.8.0" 464 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-computed-properties/-/babel-plugin-transform-es2015-computed-properties-6.8.0.tgz#f51010fd61b3bd7b6b60a5fdfd307bb7a5279870" 465 | dependencies: 466 | babel-helper-define-map "^6.8.0" 467 | babel-runtime "^6.0.0" 468 | babel-template "^6.8.0" 469 | 470 | babel-plugin-transform-es2015-destructuring@^6.9.0: 471 | version "6.18.0" 472 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-destructuring/-/babel-plugin-transform-es2015-destructuring-6.18.0.tgz#a08fb89415ab82058649558bedb7bf8dafa76ba5" 473 | dependencies: 474 | babel-runtime "^6.9.0" 475 | 476 | babel-plugin-transform-es2015-destructuring@6.9.0: 477 | version "6.9.0" 478 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-destructuring/-/babel-plugin-transform-es2015-destructuring-6.9.0.tgz#f55747f62534866a51b4c4fdb255e6d85e8604d6" 479 | dependencies: 480 | babel-runtime "^6.9.0" 481 | 482 | babel-plugin-transform-es2015-duplicate-keys@^6.6.0: 483 | version "6.8.0" 484 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-duplicate-keys/-/babel-plugin-transform-es2015-duplicate-keys-6.8.0.tgz#fd8f7f7171fc108cc1c70c3164b9f15a81c25f7d" 485 | dependencies: 486 | babel-runtime "^6.0.0" 487 | babel-types "^6.8.0" 488 | 489 | babel-plugin-transform-es2015-for-of@^6.6.0, babel-plugin-transform-es2015-for-of@^6.8.0: 490 | version "6.18.0" 491 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-for-of/-/babel-plugin-transform-es2015-for-of-6.18.0.tgz#4c517504db64bf8cfc119a6b8f177211f2028a70" 492 | dependencies: 493 | babel-runtime "^6.0.0" 494 | 495 | babel-plugin-transform-es2015-function-name@^6.9.0: 496 | version "6.9.0" 497 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-function-name/-/babel-plugin-transform-es2015-function-name-6.9.0.tgz#8c135b17dbd064e5bba56ec511baaee2fca82719" 498 | dependencies: 499 | babel-helper-function-name "^6.8.0" 500 | babel-runtime "^6.9.0" 501 | babel-types "^6.9.0" 502 | 503 | babel-plugin-transform-es2015-literals@^6.3.13: 504 | version "6.8.0" 505 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-literals/-/babel-plugin-transform-es2015-literals-6.8.0.tgz#50aa2e5c7958fc2ab25d74ec117e0cc98f046468" 506 | dependencies: 507 | babel-runtime "^6.0.0" 508 | 509 | babel-plugin-transform-es2015-modules-commonjs@^6.6.0: 510 | version "6.18.0" 511 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-modules-commonjs/-/babel-plugin-transform-es2015-modules-commonjs-6.18.0.tgz#c15ae5bb11b32a0abdcc98a5837baa4ee8d67bcc" 512 | dependencies: 513 | babel-plugin-transform-strict-mode "^6.18.0" 514 | babel-runtime "^6.0.0" 515 | babel-template "^6.16.0" 516 | babel-types "^6.18.0" 517 | 518 | babel-plugin-transform-es2015-object-super@^6.3.13: 519 | version "6.8.0" 520 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-object-super/-/babel-plugin-transform-es2015-object-super-6.8.0.tgz#1b858740a5a4400887c23dcff6f4d56eea4a24c5" 521 | dependencies: 522 | babel-helper-replace-supers "^6.8.0" 523 | babel-runtime "^6.0.0" 524 | 525 | babel-plugin-transform-es2015-parameters@^6.9.0: 526 | version "6.18.0" 527 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-parameters/-/babel-plugin-transform-es2015-parameters-6.18.0.tgz#9b2cfe238c549f1635ba27fc1daa858be70608b1" 528 | dependencies: 529 | babel-helper-call-delegate "^6.18.0" 530 | babel-helper-get-function-arity "^6.18.0" 531 | babel-runtime "^6.9.0" 532 | babel-template "^6.16.0" 533 | babel-traverse "^6.18.0" 534 | babel-types "^6.18.0" 535 | 536 | babel-plugin-transform-es2015-shorthand-properties@^6.3.13: 537 | version "6.18.0" 538 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-shorthand-properties/-/babel-plugin-transform-es2015-shorthand-properties-6.18.0.tgz#e2ede3b7df47bf980151926534d1dd0cbea58f43" 539 | dependencies: 540 | babel-runtime "^6.0.0" 541 | babel-types "^6.18.0" 542 | 543 | babel-plugin-transform-es2015-spread@^6.3.13: 544 | version "6.8.0" 545 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-spread/-/babel-plugin-transform-es2015-spread-6.8.0.tgz#0217f737e3b821fa5a669f187c6ed59205f05e9c" 546 | dependencies: 547 | babel-runtime "^6.0.0" 548 | 549 | babel-plugin-transform-es2015-sticky-regex@^6.3.13: 550 | version "6.8.0" 551 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-sticky-regex/-/babel-plugin-transform-es2015-sticky-regex-6.8.0.tgz#e73d300a440a35d5c64f5c2a344dc236e3df47be" 552 | dependencies: 553 | babel-helper-regex "^6.8.0" 554 | babel-runtime "^6.0.0" 555 | babel-types "^6.8.0" 556 | 557 | babel-plugin-transform-es2015-template-literals@^6.6.0: 558 | version "6.8.0" 559 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-template-literals/-/babel-plugin-transform-es2015-template-literals-6.8.0.tgz#86eb876d0a2c635da4ec048b4f7de9dfc897e66b" 560 | dependencies: 561 | babel-runtime "^6.0.0" 562 | 563 | babel-plugin-transform-es2015-typeof-symbol@^6.6.0: 564 | version "6.18.0" 565 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-typeof-symbol/-/babel-plugin-transform-es2015-typeof-symbol-6.18.0.tgz#0b14c48629c90ff47a0650077f6aa699bee35798" 566 | dependencies: 567 | babel-runtime "^6.0.0" 568 | 569 | babel-plugin-transform-es2015-unicode-regex@^6.3.13: 570 | version "6.11.0" 571 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-unicode-regex/-/babel-plugin-transform-es2015-unicode-regex-6.11.0.tgz#6298ceabaad88d50a3f4f392d8de997260f6ef2c" 572 | dependencies: 573 | babel-helper-regex "^6.8.0" 574 | babel-runtime "^6.0.0" 575 | regexpu-core "^2.0.0" 576 | 577 | babel-plugin-transform-exponentiation-operator@^6.3.13: 578 | version "6.8.0" 579 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-exponentiation-operator/-/babel-plugin-transform-exponentiation-operator-6.8.0.tgz#db25742e9339eade676ca9acec46f955599a68a4" 580 | dependencies: 581 | babel-helper-builder-binary-assignment-operator-visitor "^6.8.0" 582 | babel-plugin-syntax-exponentiation-operator "^6.8.0" 583 | babel-runtime "^6.0.0" 584 | 585 | babel-plugin-transform-flow-strip-types@^6.3.13: 586 | version "6.18.0" 587 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-flow-strip-types/-/babel-plugin-transform-flow-strip-types-6.18.0.tgz#4d3e642158661e9b40db457c004a30817fa32592" 588 | dependencies: 589 | babel-plugin-syntax-flow "^6.18.0" 590 | babel-runtime "^6.0.0" 591 | 592 | babel-plugin-transform-object-rest-spread@6.8.0: 593 | version "6.8.0" 594 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-object-rest-spread/-/babel-plugin-transform-object-rest-spread-6.8.0.tgz#03d1308e257a9d8e1a815ae1fd3db21bdebf08d9" 595 | dependencies: 596 | babel-plugin-syntax-object-rest-spread "^6.8.0" 597 | babel-runtime "^6.0.0" 598 | 599 | babel-plugin-transform-react-constant-elements@6.9.1: 600 | version "6.9.1" 601 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-react-constant-elements/-/babel-plugin-transform-react-constant-elements-6.9.1.tgz#125b86d96cb322e2139b607fd749ad5fbb17f005" 602 | dependencies: 603 | babel-runtime "^6.9.1" 604 | 605 | babel-plugin-transform-react-display-name@^6.3.13: 606 | version "6.8.0" 607 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-react-display-name/-/babel-plugin-transform-react-display-name-6.8.0.tgz#f7a084977383d728bdbdc2835bba0159577f660e" 608 | dependencies: 609 | babel-runtime "^6.0.0" 610 | 611 | babel-plugin-transform-react-jsx-self@^6.11.0: 612 | version "6.11.0" 613 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-react-jsx-self/-/babel-plugin-transform-react-jsx-self-6.11.0.tgz#605c9450c1429f97a930f7e1dfe3f0d9d0dbd0f4" 614 | dependencies: 615 | babel-plugin-syntax-jsx "^6.8.0" 616 | babel-runtime "^6.9.0" 617 | 618 | babel-plugin-transform-react-jsx-source@^6.3.13: 619 | version "6.9.0" 620 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-react-jsx-source/-/babel-plugin-transform-react-jsx-source-6.9.0.tgz#af684a05c2067a86e0957d4f343295ccf5dccf00" 621 | dependencies: 622 | babel-plugin-syntax-jsx "^6.8.0" 623 | babel-runtime "^6.9.0" 624 | 625 | babel-plugin-transform-react-jsx@^6.3.13: 626 | version "6.8.0" 627 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-react-jsx/-/babel-plugin-transform-react-jsx-6.8.0.tgz#94759942f70af18c617189aa7f3593f1644a71ab" 628 | dependencies: 629 | babel-helper-builder-react-jsx "^6.8.0" 630 | babel-plugin-syntax-jsx "^6.8.0" 631 | babel-runtime "^6.0.0" 632 | 633 | babel-plugin-transform-regenerator@^6.9.0: 634 | version "6.16.1" 635 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-regenerator/-/babel-plugin-transform-regenerator-6.16.1.tgz#a75de6b048a14154aae14b0122756c5bed392f59" 636 | dependencies: 637 | babel-runtime "^6.9.0" 638 | babel-types "^6.16.0" 639 | private "~0.1.5" 640 | 641 | babel-plugin-transform-regenerator@6.11.4: 642 | version "6.11.4" 643 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-regenerator/-/babel-plugin-transform-regenerator-6.11.4.tgz#266b5d9b33bc766c35dd758d4c4d9153c4bb6abf" 644 | dependencies: 645 | babel-core "^6.11.4" 646 | babel-plugin-syntax-async-functions "^6.8.0" 647 | babel-plugin-transform-es2015-block-scoping "^6.9.0" 648 | babel-plugin-transform-es2015-for-of "^6.8.0" 649 | babel-runtime "^6.9.0" 650 | babel-traverse "^6.11.4" 651 | babel-types "^6.9.0" 652 | babylon "^6.6.5" 653 | private "~0.1.5" 654 | 655 | babel-plugin-transform-runtime@6.12.0: 656 | version "6.12.0" 657 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-runtime/-/babel-plugin-transform-runtime-6.12.0.tgz#15e509884b2b8b38d87f4bdbd04b5835a452675e" 658 | dependencies: 659 | babel-runtime "^6.9.0" 660 | 661 | babel-plugin-transform-strict-mode@^6.18.0: 662 | version "6.18.0" 663 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-strict-mode/-/babel-plugin-transform-strict-mode-6.18.0.tgz#df7cf2991fe046f44163dcd110d5ca43bc652b9d" 664 | dependencies: 665 | babel-runtime "^6.0.0" 666 | babel-types "^6.18.0" 667 | 668 | babel-polyfill@^6.9.0: 669 | version "6.16.0" 670 | resolved "https://registry.yarnpkg.com/babel-polyfill/-/babel-polyfill-6.16.0.tgz#2d45021df87e26a374b6d4d1a9c65964d17f2422" 671 | dependencies: 672 | babel-runtime "^6.9.1" 673 | core-js "^2.4.0" 674 | regenerator-runtime "^0.9.5" 675 | 676 | babel-preset-es2015@6.9.0: 677 | version "6.9.0" 678 | resolved "https://registry.yarnpkg.com/babel-preset-es2015/-/babel-preset-es2015-6.9.0.tgz#95e4716ac4481dfb30999cb5c111814e1ada0f41" 679 | dependencies: 680 | babel-plugin-check-es2015-constants "^6.3.13" 681 | babel-plugin-transform-es2015-arrow-functions "^6.3.13" 682 | babel-plugin-transform-es2015-block-scoped-functions "^6.3.13" 683 | babel-plugin-transform-es2015-block-scoping "^6.9.0" 684 | babel-plugin-transform-es2015-classes "^6.9.0" 685 | babel-plugin-transform-es2015-computed-properties "^6.3.13" 686 | babel-plugin-transform-es2015-destructuring "^6.9.0" 687 | babel-plugin-transform-es2015-duplicate-keys "^6.6.0" 688 | babel-plugin-transform-es2015-for-of "^6.6.0" 689 | babel-plugin-transform-es2015-function-name "^6.9.0" 690 | babel-plugin-transform-es2015-literals "^6.3.13" 691 | babel-plugin-transform-es2015-modules-commonjs "^6.6.0" 692 | babel-plugin-transform-es2015-object-super "^6.3.13" 693 | babel-plugin-transform-es2015-parameters "^6.9.0" 694 | babel-plugin-transform-es2015-shorthand-properties "^6.3.13" 695 | babel-plugin-transform-es2015-spread "^6.3.13" 696 | babel-plugin-transform-es2015-sticky-regex "^6.3.13" 697 | babel-plugin-transform-es2015-template-literals "^6.6.0" 698 | babel-plugin-transform-es2015-typeof-symbol "^6.6.0" 699 | babel-plugin-transform-es2015-unicode-regex "^6.3.13" 700 | babel-plugin-transform-regenerator "^6.9.0" 701 | 702 | babel-preset-es2016@6.11.3: 703 | version "6.11.3" 704 | resolved "https://registry.yarnpkg.com/babel-preset-es2016/-/babel-preset-es2016-6.11.3.tgz#f42220bf5fa4c6fc57b23ebee137307e749505a2" 705 | dependencies: 706 | babel-plugin-transform-exponentiation-operator "^6.3.13" 707 | 708 | babel-preset-react@6.11.1: 709 | version "6.11.1" 710 | resolved "https://registry.yarnpkg.com/babel-preset-react/-/babel-preset-react-6.11.1.tgz#98ac2bd3c1b76f3062ae082580eade154a19b590" 711 | dependencies: 712 | babel-plugin-syntax-flow "^6.3.13" 713 | babel-plugin-syntax-jsx "^6.3.13" 714 | babel-plugin-transform-flow-strip-types "^6.3.13" 715 | babel-plugin-transform-react-display-name "^6.3.13" 716 | babel-plugin-transform-react-jsx "^6.3.13" 717 | babel-plugin-transform-react-jsx-self "^6.11.0" 718 | babel-plugin-transform-react-jsx-source "^6.3.13" 719 | 720 | babel-register@^6.14.0, babel-register@^6.18.0, babel-register@^6.9.0: 721 | version "6.18.0" 722 | resolved "https://registry.yarnpkg.com/babel-register/-/babel-register-6.18.0.tgz#892e2e03865078dd90ad2c715111ec4449b32a68" 723 | dependencies: 724 | babel-core "^6.18.0" 725 | babel-runtime "^6.11.6" 726 | core-js "^2.4.0" 727 | home-or-tmp "^2.0.0" 728 | lodash "^4.2.0" 729 | mkdirp "^0.5.1" 730 | source-map-support "^0.4.2" 731 | 732 | babel-runtime@^6.0.0, babel-runtime@^6.11.6, babel-runtime@^6.9.0, babel-runtime@^6.9.1: 733 | version "6.18.0" 734 | resolved "https://registry.yarnpkg.com/babel-runtime/-/babel-runtime-6.18.0.tgz#0f4177ffd98492ef13b9f823e9994a02584c9078" 735 | dependencies: 736 | core-js "^2.4.0" 737 | regenerator-runtime "^0.9.5" 738 | 739 | babel-runtime@6.9.2: 740 | version "6.9.2" 741 | resolved "https://registry.yarnpkg.com/babel-runtime/-/babel-runtime-6.9.2.tgz#d7fe391bc2cc29b8087c1d9b39878912e9fcfd59" 742 | dependencies: 743 | core-js "^2.4.0" 744 | regenerator-runtime "^0.9.5" 745 | 746 | babel-template@^6.14.0, babel-template@^6.15.0, babel-template@^6.16.0, babel-template@^6.8.0, babel-template@^6.9.0: 747 | version "6.16.0" 748 | resolved "https://registry.yarnpkg.com/babel-template/-/babel-template-6.16.0.tgz#e149dd1a9f03a35f817ddbc4d0481988e7ebc8ca" 749 | dependencies: 750 | babel-runtime "^6.9.0" 751 | babel-traverse "^6.16.0" 752 | babel-types "^6.16.0" 753 | babylon "^6.11.0" 754 | lodash "^4.2.0" 755 | 756 | babel-traverse@^6.0.20, babel-traverse@^6.11.4, babel-traverse@^6.16.0, babel-traverse@^6.18.0: 757 | version "6.18.0" 758 | resolved "https://registry.yarnpkg.com/babel-traverse/-/babel-traverse-6.18.0.tgz#5aeaa980baed2a07c8c47329cd90c3b90c80f05e" 759 | dependencies: 760 | babel-code-frame "^6.16.0" 761 | babel-messages "^6.8.0" 762 | babel-runtime "^6.9.0" 763 | babel-types "^6.18.0" 764 | babylon "^6.11.0" 765 | debug "^2.2.0" 766 | globals "^9.0.0" 767 | invariant "^2.2.0" 768 | lodash "^4.2.0" 769 | 770 | babel-types@^6.0.19, babel-types@^6.16.0, babel-types@^6.18.0, babel-types@^6.8.0, babel-types@^6.9.0, babel-types@^6.9.1: 771 | version "6.18.0" 772 | resolved "https://registry.yarnpkg.com/babel-types/-/babel-types-6.18.0.tgz#1f7d5a73474c59eb9151b2417bbff4e4fce7c3f8" 773 | dependencies: 774 | babel-runtime "^6.9.1" 775 | esutils "^2.0.2" 776 | lodash "^4.2.0" 777 | to-fast-properties "^1.0.1" 778 | 779 | babylon@^6.0.18, babylon@^6.11.0, babylon@^6.6.5, babylon@^6.7.0: 780 | version "6.13.1" 781 | resolved "https://registry.yarnpkg.com/babylon/-/babylon-6.13.1.tgz#adca350e088f0467647157652bafead6ddb8dfdb" 782 | 783 | balanced-match@^0.4.1: 784 | version "0.4.2" 785 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-0.4.2.tgz#cb3f3e3c732dc0f01ee70b403f302e61d7709838" 786 | 787 | bcrypt-pbkdf@^1.0.0: 788 | version "1.0.0" 789 | resolved "https://registry.yarnpkg.com/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.0.tgz#3ca76b85241c7170bf7d9703e7b9aa74630040d4" 790 | dependencies: 791 | tweetnacl "^0.14.3" 792 | 793 | bin-version-check@^2.1.0: 794 | version "2.1.0" 795 | resolved "https://registry.yarnpkg.com/bin-version-check/-/bin-version-check-2.1.0.tgz#e4e5df290b9069f7d111324031efc13fdd11a5b0" 796 | dependencies: 797 | bin-version "^1.0.0" 798 | minimist "^1.1.0" 799 | semver "^4.0.3" 800 | semver-truncate "^1.0.0" 801 | 802 | bin-version@^1.0.0: 803 | version "1.0.4" 804 | resolved "https://registry.yarnpkg.com/bin-version/-/bin-version-1.0.4.tgz#9eb498ee6fd76f7ab9a7c160436f89579435d78e" 805 | dependencies: 806 | find-versions "^1.0.0" 807 | 808 | binary-extensions@^1.0.0: 809 | version "1.7.0" 810 | resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-1.7.0.tgz#6c1610db163abfb34edfe42fa423343a1e01185d" 811 | 812 | block-stream@*: 813 | version "0.0.9" 814 | resolved "https://registry.yarnpkg.com/block-stream/-/block-stream-0.0.9.tgz#13ebfe778a03205cfe03751481ebb4b3300c126a" 815 | dependencies: 816 | inherits "~2.0.0" 817 | 818 | boom@2.x.x: 819 | version "2.10.1" 820 | resolved "https://registry.yarnpkg.com/boom/-/boom-2.10.1.tgz#39c8918ceff5799f83f9492a848f625add0c766f" 821 | dependencies: 822 | hoek "2.x.x" 823 | 824 | brace-expansion@^1.0.0: 825 | version "1.1.6" 826 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.6.tgz#7197d7eaa9b87e648390ea61fc66c84427420df9" 827 | dependencies: 828 | balanced-match "^0.4.1" 829 | concat-map "0.0.1" 830 | 831 | braces@^1.8.2: 832 | version "1.8.5" 833 | resolved "https://registry.yarnpkg.com/braces/-/braces-1.8.5.tgz#ba77962e12dff969d6b76711e914b737857bf6a7" 834 | dependencies: 835 | expand-range "^1.8.1" 836 | preserve "^0.2.0" 837 | repeat-element "^1.1.2" 838 | 839 | buffer-shims@^1.0.0: 840 | version "1.0.0" 841 | resolved "https://registry.yarnpkg.com/buffer-shims/-/buffer-shims-1.0.0.tgz#9978ce317388c649ad8793028c3477ef044a8b51" 842 | 843 | builtin-modules@^1.0.0, builtin-modules@^1.1.1: 844 | version "1.1.1" 845 | resolved "https://registry.yarnpkg.com/builtin-modules/-/builtin-modules-1.1.1.tgz#270f076c5a72c02f5b65a47df94c5fe3a278892f" 846 | 847 | caller-path@^0.1.0: 848 | version "0.1.0" 849 | resolved "https://registry.yarnpkg.com/caller-path/-/caller-path-0.1.0.tgz#94085ef63581ecd3daa92444a8fe94e82577751f" 850 | dependencies: 851 | callsites "^0.2.0" 852 | 853 | callsites@^0.2.0: 854 | version "0.2.0" 855 | resolved "https://registry.yarnpkg.com/callsites/-/callsites-0.2.0.tgz#afab96262910a7f33c19a5775825c69f34e350ca" 856 | 857 | camelcase-keys@^2.0.0: 858 | version "2.1.0" 859 | resolved "https://registry.yarnpkg.com/camelcase-keys/-/camelcase-keys-2.1.0.tgz#308beeaffdf28119051efa1d932213c91b8f92e7" 860 | dependencies: 861 | camelcase "^2.0.0" 862 | map-obj "^1.0.0" 863 | 864 | camelcase@^2.0.0: 865 | version "2.1.1" 866 | resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-2.1.1.tgz#7c1d16d679a1bbe59ca02cacecfb011e201f5a1f" 867 | 868 | caseless@~0.11.0: 869 | version "0.11.0" 870 | resolved "https://registry.yarnpkg.com/caseless/-/caseless-0.11.0.tgz#715b96ea9841593cc33067923f5ec60ebda4f7d7" 871 | 872 | chai@^3.5.0: 873 | version "3.5.0" 874 | resolved "https://registry.yarnpkg.com/chai/-/chai-3.5.0.tgz#4d02637b067fe958bdbfdd3a40ec56fef7373247" 875 | dependencies: 876 | assertion-error "^1.0.1" 877 | deep-eql "^0.1.3" 878 | type-detect "^1.0.0" 879 | 880 | chalk@^1.0.0, chalk@^1.1.0, chalk@^1.1.1, chalk@^1.1.3: 881 | version "1.1.3" 882 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-1.1.3.tgz#a8115c55e4a702fe4d150abd3872822a7e09fc98" 883 | dependencies: 884 | ansi-styles "^2.2.1" 885 | escape-string-regexp "^1.0.2" 886 | has-ansi "^2.0.0" 887 | strip-ansi "^3.0.0" 888 | supports-color "^2.0.0" 889 | 890 | chalk@1.1.1: 891 | version "1.1.1" 892 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-1.1.1.tgz#509afb67066e7499f7eb3535c77445772ae2d019" 893 | dependencies: 894 | ansi-styles "^2.1.0" 895 | escape-string-regexp "^1.0.2" 896 | has-ansi "^2.0.0" 897 | strip-ansi "^3.0.0" 898 | supports-color "^2.0.0" 899 | 900 | chokidar@^1.0.0: 901 | version "1.6.1" 902 | resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-1.6.1.tgz#2f4447ab5e96e50fb3d789fd90d4c72e0e4c70c2" 903 | dependencies: 904 | anymatch "^1.3.0" 905 | async-each "^1.0.0" 906 | glob-parent "^2.0.0" 907 | inherits "^2.0.1" 908 | is-binary-path "^1.0.0" 909 | is-glob "^2.0.0" 910 | path-is-absolute "^1.0.0" 911 | readdirp "^2.0.0" 912 | optionalDependencies: 913 | fsevents "^1.0.0" 914 | 915 | circular-json@^0.3.0: 916 | version "0.3.1" 917 | resolved "https://registry.yarnpkg.com/circular-json/-/circular-json-0.3.1.tgz#be8b36aefccde8b3ca7aa2d6afc07a37242c0d2d" 918 | 919 | cli-cursor@^1.0.1: 920 | version "1.0.2" 921 | resolved "https://registry.yarnpkg.com/cli-cursor/-/cli-cursor-1.0.2.tgz#64da3f7d56a54412e59794bd62dc35295e8f2987" 922 | dependencies: 923 | restore-cursor "^1.0.1" 924 | 925 | cli-width@^2.0.0: 926 | version "2.1.0" 927 | resolved "https://registry.yarnpkg.com/cli-width/-/cli-width-2.1.0.tgz#b234ca209b29ef66fc518d9b98d5847b00edf00a" 928 | 929 | co@^4.6.0: 930 | version "4.6.0" 931 | resolved "https://registry.yarnpkg.com/co/-/co-4.6.0.tgz#6ea6bdf3d853ae54ccb8e47bfa0bf3f9031fb184" 932 | 933 | code-point-at@^1.0.0: 934 | version "1.0.1" 935 | resolved "https://registry.yarnpkg.com/code-point-at/-/code-point-at-1.0.1.tgz#1104cd34f9b5b45d3eba88f1babc1924e1ce35fb" 936 | dependencies: 937 | number-is-nan "^1.0.0" 938 | 939 | combined-stream@^1.0.5, combined-stream@~1.0.5: 940 | version "1.0.5" 941 | resolved "https://registry.yarnpkg.com/combined-stream/-/combined-stream-1.0.5.tgz#938370a57b4a51dea2c77c15d5c5fdf895164009" 942 | dependencies: 943 | delayed-stream "~1.0.0" 944 | 945 | commander@^2.8.1, commander@^2.9.0: 946 | version "2.9.0" 947 | resolved "https://registry.yarnpkg.com/commander/-/commander-2.9.0.tgz#9c99094176e12240cb22d6c5146098400fe0f7d4" 948 | dependencies: 949 | graceful-readlink ">= 1.0.0" 950 | 951 | commander@0.6.1: 952 | version "0.6.1" 953 | resolved "https://registry.yarnpkg.com/commander/-/commander-0.6.1.tgz#fa68a14f6a945d54dbbe50d8cdb3320e9e3b1a06" 954 | 955 | commander@2.3.0: 956 | version "2.3.0" 957 | resolved "https://registry.yarnpkg.com/commander/-/commander-2.3.0.tgz#fd430e889832ec353b9acd1de217c11cb3eef873" 958 | 959 | concat-map@0.0.1: 960 | version "0.0.1" 961 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" 962 | 963 | concat-stream@^1.4.6: 964 | version "1.5.2" 965 | resolved "https://registry.yarnpkg.com/concat-stream/-/concat-stream-1.5.2.tgz#708978624d856af41a5a741defdd261da752c266" 966 | dependencies: 967 | inherits "~2.0.1" 968 | readable-stream "~2.0.0" 969 | typedarray "~0.0.5" 970 | 971 | console-control-strings@^1.0.0, console-control-strings@~1.1.0: 972 | version "1.1.0" 973 | resolved "https://registry.yarnpkg.com/console-control-strings/-/console-control-strings-1.1.0.tgz#3d7cf4464db6446ea644bf4b39507f9851008e8e" 974 | 975 | contains-path@^0.1.0: 976 | version "0.1.0" 977 | resolved "https://registry.yarnpkg.com/contains-path/-/contains-path-0.1.0.tgz#fe8cf184ff6670b6baef01a9d4861a5cbec4120a" 978 | 979 | convert-source-map@^1.1.0: 980 | version "1.3.0" 981 | resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-1.3.0.tgz#e9f3e9c6e2728efc2676696a70eb382f73106a67" 982 | 983 | core-js@^1.0.0: 984 | version "1.2.7" 985 | resolved "https://registry.yarnpkg.com/core-js/-/core-js-1.2.7.tgz#652294c14651db28fa93bd2d5ff2983a4f08c636" 986 | 987 | core-js@^2.4.0: 988 | version "2.4.1" 989 | resolved "https://registry.yarnpkg.com/core-js/-/core-js-2.4.1.tgz#4de911e667b0eae9124e34254b53aea6fc618d3e" 990 | 991 | core-util-is@~1.0.0: 992 | version "1.0.2" 993 | resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7" 994 | 995 | cryptiles@2.x.x: 996 | version "2.0.5" 997 | resolved "https://registry.yarnpkg.com/cryptiles/-/cryptiles-2.0.5.tgz#3bdfecdc608147c1c67202fa291e7dca59eaa3b8" 998 | dependencies: 999 | boom "2.x.x" 1000 | 1001 | currently-unhandled@^0.4.1: 1002 | version "0.4.1" 1003 | resolved "https://registry.yarnpkg.com/currently-unhandled/-/currently-unhandled-0.4.1.tgz#988df33feab191ef799a61369dd76c17adf957ea" 1004 | dependencies: 1005 | array-find-index "^1.0.1" 1006 | 1007 | d@^0.1.1, d@~0.1.1: 1008 | version "0.1.1" 1009 | resolved "https://registry.yarnpkg.com/d/-/d-0.1.1.tgz#da184c535d18d8ee7ba2aa229b914009fae11309" 1010 | dependencies: 1011 | es5-ext "~0.10.2" 1012 | 1013 | damerau-levenshtein@^1.0.0: 1014 | version "1.0.3" 1015 | resolved "https://registry.yarnpkg.com/damerau-levenshtein/-/damerau-levenshtein-1.0.3.tgz#ae4f4ce0b62acae10ff63a01bb08f652f5213af2" 1016 | 1017 | dashdash@^1.12.0: 1018 | version "1.14.0" 1019 | resolved "https://registry.yarnpkg.com/dashdash/-/dashdash-1.14.0.tgz#29e486c5418bf0f356034a993d51686a33e84141" 1020 | dependencies: 1021 | assert-plus "^1.0.0" 1022 | 1023 | debug@^2.1.1, debug@^2.2.0, debug@~2.2.0, debug@2.2.0: 1024 | version "2.2.0" 1025 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.2.0.tgz#f87057e995b1a1f6ae6a4960664137bc56f039da" 1026 | dependencies: 1027 | ms "0.7.1" 1028 | 1029 | decamelize@^1.1.2: 1030 | version "1.2.0" 1031 | resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-1.2.0.tgz#f6534d15148269b20352e7bee26f501f9a191290" 1032 | 1033 | deep-eql@^0.1.3: 1034 | version "0.1.3" 1035 | resolved "https://registry.yarnpkg.com/deep-eql/-/deep-eql-0.1.3.tgz#ef558acab8de25206cd713906d74e56930eb69f2" 1036 | dependencies: 1037 | type-detect "0.1.1" 1038 | 1039 | deep-extend@~0.4.0: 1040 | version "0.4.1" 1041 | resolved "https://registry.yarnpkg.com/deep-extend/-/deep-extend-0.4.1.tgz#efe4113d08085f4e6f9687759810f807469e2253" 1042 | 1043 | deep-is@~0.1.3: 1044 | version "0.1.3" 1045 | resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.3.tgz#b369d6fb5dbc13eecf524f91b070feedc357cf34" 1046 | 1047 | del@^2.0.2: 1048 | version "2.2.2" 1049 | resolved "https://registry.yarnpkg.com/del/-/del-2.2.2.tgz#c12c981d067846c84bcaf862cff930d907ffd1a8" 1050 | dependencies: 1051 | globby "^5.0.0" 1052 | is-path-cwd "^1.0.0" 1053 | is-path-in-cwd "^1.0.0" 1054 | object-assign "^4.0.1" 1055 | pify "^2.0.0" 1056 | pinkie-promise "^2.0.0" 1057 | rimraf "^2.2.8" 1058 | 1059 | delayed-stream@~1.0.0: 1060 | version "1.0.0" 1061 | resolved "https://registry.yarnpkg.com/delayed-stream/-/delayed-stream-1.0.0.tgz#df3ae199acadfb7d440aaae0b29e2272b24ec619" 1062 | 1063 | delegates@^1.0.0: 1064 | version "1.0.0" 1065 | resolved "https://registry.yarnpkg.com/delegates/-/delegates-1.0.0.tgz#84c6e159b81904fdca59a0ef44cd870d31250f9a" 1066 | 1067 | detect-indent@^4.0.0: 1068 | version "4.0.0" 1069 | resolved "https://registry.yarnpkg.com/detect-indent/-/detect-indent-4.0.0.tgz#f76d064352cdf43a1cb6ce619c4ee3a9475de208" 1070 | dependencies: 1071 | repeating "^2.0.0" 1072 | 1073 | diff@1.4.0: 1074 | version "1.4.0" 1075 | resolved "https://registry.yarnpkg.com/diff/-/diff-1.4.0.tgz#7f28d2eb9ee7b15a97efd89ce63dcfdaa3ccbabf" 1076 | 1077 | doctrine@^1.2.2: 1078 | version "1.5.0" 1079 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-1.5.0.tgz#379dce730f6166f76cefa4e6707a159b02c5a6fa" 1080 | dependencies: 1081 | esutils "^2.0.2" 1082 | isarray "^1.0.0" 1083 | 1084 | doctrine@1.3.x: 1085 | version "1.3.0" 1086 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-1.3.0.tgz#13e75682b55518424276f7c173783456ef913d26" 1087 | dependencies: 1088 | esutils "^2.0.2" 1089 | isarray "^1.0.0" 1090 | 1091 | ecc-jsbn@~0.1.1: 1092 | version "0.1.1" 1093 | resolved "https://registry.yarnpkg.com/ecc-jsbn/-/ecc-jsbn-0.1.1.tgz#0fc73a9ed5f0d53c38193398523ef7e543777505" 1094 | dependencies: 1095 | jsbn "~0.1.0" 1096 | 1097 | encoding@^0.1.11: 1098 | version "0.1.12" 1099 | resolved "https://registry.yarnpkg.com/encoding/-/encoding-0.1.12.tgz#538b66f3ee62cd1ab51ec323829d1f9480c74beb" 1100 | dependencies: 1101 | iconv-lite "~0.4.13" 1102 | 1103 | error-ex@^1.2.0: 1104 | version "1.3.0" 1105 | resolved "https://registry.yarnpkg.com/error-ex/-/error-ex-1.3.0.tgz#e67b43f3e82c96ea3a584ffee0b9fc3325d802d9" 1106 | dependencies: 1107 | is-arrayish "^0.2.1" 1108 | 1109 | es5-ext@^0.10.7, es5-ext@^0.10.8, es5-ext@~0.10.11, es5-ext@~0.10.2, es5-ext@~0.10.7: 1110 | version "0.10.12" 1111 | resolved "https://registry.yarnpkg.com/es5-ext/-/es5-ext-0.10.12.tgz#aa84641d4db76b62abba5e45fd805ecbab140047" 1112 | dependencies: 1113 | es6-iterator "2" 1114 | es6-symbol "~3.1" 1115 | 1116 | es6-iterator@2: 1117 | version "2.0.0" 1118 | resolved "https://registry.yarnpkg.com/es6-iterator/-/es6-iterator-2.0.0.tgz#bd968567d61635e33c0b80727613c9cb4b096bac" 1119 | dependencies: 1120 | d "^0.1.1" 1121 | es5-ext "^0.10.7" 1122 | es6-symbol "3" 1123 | 1124 | es6-map@^0.1.3: 1125 | version "0.1.4" 1126 | resolved "https://registry.yarnpkg.com/es6-map/-/es6-map-0.1.4.tgz#a34b147be224773a4d7da8072794cefa3632b897" 1127 | dependencies: 1128 | d "~0.1.1" 1129 | es5-ext "~0.10.11" 1130 | es6-iterator "2" 1131 | es6-set "~0.1.3" 1132 | es6-symbol "~3.1.0" 1133 | event-emitter "~0.3.4" 1134 | 1135 | es6-set@^0.1.4, es6-set@~0.1.3: 1136 | version "0.1.4" 1137 | resolved "https://registry.yarnpkg.com/es6-set/-/es6-set-0.1.4.tgz#9516b6761c2964b92ff479456233a247dc707ce8" 1138 | dependencies: 1139 | d "~0.1.1" 1140 | es5-ext "~0.10.11" 1141 | es6-iterator "2" 1142 | es6-symbol "3" 1143 | event-emitter "~0.3.4" 1144 | 1145 | es6-symbol@~3.1, es6-symbol@~3.1.0, es6-symbol@3: 1146 | version "3.1.0" 1147 | resolved "https://registry.yarnpkg.com/es6-symbol/-/es6-symbol-3.1.0.tgz#94481c655e7a7cad82eba832d97d5433496d7ffa" 1148 | dependencies: 1149 | d "~0.1.1" 1150 | es5-ext "~0.10.11" 1151 | 1152 | es6-weak-map@^2.0.1: 1153 | version "2.0.1" 1154 | resolved "https://registry.yarnpkg.com/es6-weak-map/-/es6-weak-map-2.0.1.tgz#0d2bbd8827eb5fb4ba8f97fbfea50d43db21ea81" 1155 | dependencies: 1156 | d "^0.1.1" 1157 | es5-ext "^0.10.8" 1158 | es6-iterator "2" 1159 | es6-symbol "3" 1160 | 1161 | escape-string-regexp@^1.0.2, escape-string-regexp@^1.0.5: 1162 | version "1.0.5" 1163 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4" 1164 | 1165 | escape-string-regexp@1.0.2: 1166 | version "1.0.2" 1167 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.2.tgz#4dbc2fe674e71949caf3fb2695ce7f2dc1d9a8d1" 1168 | 1169 | escope@^3.6.0: 1170 | version "3.6.0" 1171 | resolved "https://registry.yarnpkg.com/escope/-/escope-3.6.0.tgz#e01975e812781a163a6dadfdd80398dc64c889c3" 1172 | dependencies: 1173 | es6-map "^0.1.3" 1174 | es6-weak-map "^2.0.1" 1175 | esrecurse "^4.1.0" 1176 | estraverse "^4.1.1" 1177 | 1178 | eslint-config-airbnb-base@^3.0.0: 1179 | version "3.0.1" 1180 | resolved "https://registry.yarnpkg.com/eslint-config-airbnb-base/-/eslint-config-airbnb-base-3.0.1.tgz#b777e01f65e946933442b499fc8518aa251a6530" 1181 | 1182 | eslint-config-airbnb@9.0.1: 1183 | version "9.0.1" 1184 | resolved "https://registry.yarnpkg.com/eslint-config-airbnb/-/eslint-config-airbnb-9.0.1.tgz#6708170d5034b579d52913fe49dee2f7fec7d894" 1185 | dependencies: 1186 | eslint-config-airbnb-base "^3.0.0" 1187 | 1188 | eslint-import-resolver-node@^0.2.0: 1189 | version "0.2.3" 1190 | resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.2.3.tgz#5add8106e8c928db2cba232bcd9efa846e3da16c" 1191 | dependencies: 1192 | debug "^2.2.0" 1193 | object-assign "^4.0.1" 1194 | resolve "^1.1.6" 1195 | 1196 | eslint-plugin-import@^1.8.1: 1197 | version "1.16.0" 1198 | resolved "https://registry.yarnpkg.com/eslint-plugin-import/-/eslint-plugin-import-1.16.0.tgz#b2fa07ebcc53504d0f2a4477582ec8bff1871b9f" 1199 | dependencies: 1200 | builtin-modules "^1.1.1" 1201 | contains-path "^0.1.0" 1202 | debug "^2.2.0" 1203 | doctrine "1.3.x" 1204 | es6-map "^0.1.3" 1205 | es6-set "^0.1.4" 1206 | eslint-import-resolver-node "^0.2.0" 1207 | has "^1.0.1" 1208 | lodash.cond "^4.3.0" 1209 | lodash.endswith "^4.0.1" 1210 | lodash.find "^4.3.0" 1211 | lodash.findindex "^4.3.0" 1212 | minimatch "^3.0.3" 1213 | object-assign "^4.0.1" 1214 | pkg-dir "^1.0.0" 1215 | pkg-up "^1.0.0" 1216 | 1217 | eslint-plugin-jsx-a11y@^1.5.3: 1218 | version "1.5.5" 1219 | resolved "https://registry.yarnpkg.com/eslint-plugin-jsx-a11y/-/eslint-plugin-jsx-a11y-1.5.5.tgz#da284a016c1889e73698180217e2eb988a98bab5" 1220 | dependencies: 1221 | damerau-levenshtein "^1.0.0" 1222 | jsx-ast-utils "^1.0.0" 1223 | object-assign "^4.0.1" 1224 | 1225 | eslint-plugin-react@5.2.2: 1226 | version "5.2.2" 1227 | resolved "https://registry.yarnpkg.com/eslint-plugin-react/-/eslint-plugin-react-5.2.2.tgz#7db068e1f5487f6871e4deef36a381c303eac161" 1228 | dependencies: 1229 | doctrine "^1.2.2" 1230 | jsx-ast-utils "^1.2.1" 1231 | 1232 | eslint@2.13.0: 1233 | version "2.13.0" 1234 | resolved "https://registry.yarnpkg.com/eslint/-/eslint-2.13.0.tgz#0a814a116e99d6e6b6ffa098364b81c6b5e06587" 1235 | dependencies: 1236 | chalk "^1.1.3" 1237 | concat-stream "^1.4.6" 1238 | debug "^2.1.1" 1239 | doctrine "^1.2.2" 1240 | es6-map "^0.1.3" 1241 | escope "^3.6.0" 1242 | espree "^3.1.6" 1243 | estraverse "^4.2.0" 1244 | esutils "^2.0.2" 1245 | file-entry-cache "^1.1.1" 1246 | glob "^7.0.3" 1247 | globals "^9.2.0" 1248 | ignore "^3.1.2" 1249 | imurmurhash "^0.1.4" 1250 | inquirer "^0.12.0" 1251 | is-my-json-valid "^2.10.0" 1252 | is-resolvable "^1.0.0" 1253 | js-yaml "^3.5.1" 1254 | json-stable-stringify "^1.0.0" 1255 | levn "^0.3.0" 1256 | lodash "^4.0.0" 1257 | mkdirp "^0.5.0" 1258 | optionator "^0.8.1" 1259 | path-is-absolute "^1.0.0" 1260 | path-is-inside "^1.0.1" 1261 | pluralize "^1.2.1" 1262 | progress "^1.1.8" 1263 | require-uncached "^1.0.2" 1264 | shelljs "^0.6.0" 1265 | strip-json-comments "~1.0.1" 1266 | table "^3.7.8" 1267 | text-table "~0.2.0" 1268 | user-home "^2.0.0" 1269 | 1270 | espree@^3.1.6: 1271 | version "3.3.2" 1272 | resolved "https://registry.yarnpkg.com/espree/-/espree-3.3.2.tgz#dbf3fadeb4ecb4d4778303e50103b3d36c88b89c" 1273 | dependencies: 1274 | acorn "^4.0.1" 1275 | acorn-jsx "^3.0.0" 1276 | 1277 | esprima@^2.6.0: 1278 | version "2.7.3" 1279 | resolved "https://registry.yarnpkg.com/esprima/-/esprima-2.7.3.tgz#96e3b70d5779f6ad49cd032673d1c312767ba581" 1280 | 1281 | esrecurse@^4.1.0: 1282 | version "4.1.0" 1283 | resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.1.0.tgz#4713b6536adf7f2ac4f327d559e7756bff648220" 1284 | dependencies: 1285 | estraverse "~4.1.0" 1286 | object-assign "^4.0.1" 1287 | 1288 | estraverse@^4.1.1, estraverse@^4.2.0: 1289 | version "4.2.0" 1290 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.2.0.tgz#0dee3fed31fcd469618ce7342099fc1afa0bdb13" 1291 | 1292 | estraverse@~4.1.0: 1293 | version "4.1.1" 1294 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.1.1.tgz#f6caca728933a850ef90661d0e17982ba47111a2" 1295 | 1296 | esutils@^2.0.0, esutils@^2.0.2: 1297 | version "2.0.2" 1298 | resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.2.tgz#0abf4f1caa5bcb1f7a9d8acc6dea4faaa04bac9b" 1299 | 1300 | event-emitter@~0.3.4: 1301 | version "0.3.4" 1302 | resolved "https://registry.yarnpkg.com/event-emitter/-/event-emitter-0.3.4.tgz#8d63ddfb4cfe1fae3b32ca265c4c720222080bb5" 1303 | dependencies: 1304 | d "~0.1.1" 1305 | es5-ext "~0.10.7" 1306 | 1307 | exit-hook@^1.0.0: 1308 | version "1.1.1" 1309 | resolved "https://registry.yarnpkg.com/exit-hook/-/exit-hook-1.1.1.tgz#f05ca233b48c05d54fff07765df8507e95c02ff8" 1310 | 1311 | expand-brackets@^0.1.4: 1312 | version "0.1.5" 1313 | resolved "https://registry.yarnpkg.com/expand-brackets/-/expand-brackets-0.1.5.tgz#df07284e342a807cd733ac5af72411e581d1177b" 1314 | dependencies: 1315 | is-posix-bracket "^0.1.0" 1316 | 1317 | expand-range@^1.8.1: 1318 | version "1.8.2" 1319 | resolved "https://registry.yarnpkg.com/expand-range/-/expand-range-1.8.2.tgz#a299effd335fe2721ebae8e257ec79644fc85337" 1320 | dependencies: 1321 | fill-range "^2.1.0" 1322 | 1323 | extend@~3.0.0: 1324 | version "3.0.0" 1325 | resolved "https://registry.yarnpkg.com/extend/-/extend-3.0.0.tgz#5a474353b9f3353ddd8176dfd37b91c83a46f1d4" 1326 | 1327 | extglob@^0.3.1: 1328 | version "0.3.2" 1329 | resolved "https://registry.yarnpkg.com/extglob/-/extglob-0.3.2.tgz#2e18ff3d2f49ab2765cec9023f011daa8d8349a1" 1330 | dependencies: 1331 | is-extglob "^1.0.0" 1332 | 1333 | extsprintf@1.0.2: 1334 | version "1.0.2" 1335 | resolved "https://registry.yarnpkg.com/extsprintf/-/extsprintf-1.0.2.tgz#e1080e0658e300b06294990cc70e1502235fd550" 1336 | 1337 | fast-levenshtein@~2.0.4: 1338 | version "2.0.5" 1339 | resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.5.tgz#bd33145744519ab1c36c3ee9f31f08e9079b67f2" 1340 | 1341 | fbjs@^0.8.4: 1342 | version "0.8.5" 1343 | resolved "https://registry.yarnpkg.com/fbjs/-/fbjs-0.8.5.tgz#f69ba8a876096cb1b9bffe4d7c1e71c19d39d008" 1344 | dependencies: 1345 | core-js "^1.0.0" 1346 | immutable "^3.7.6" 1347 | isomorphic-fetch "^2.1.1" 1348 | loose-envify "^1.0.0" 1349 | object-assign "^4.1.0" 1350 | promise "^7.1.1" 1351 | ua-parser-js "^0.7.9" 1352 | 1353 | figures@^1.3.5: 1354 | version "1.7.0" 1355 | resolved "https://registry.yarnpkg.com/figures/-/figures-1.7.0.tgz#cbe1e3affcf1cd44b80cadfed28dc793a9701d2e" 1356 | dependencies: 1357 | escape-string-regexp "^1.0.5" 1358 | object-assign "^4.1.0" 1359 | 1360 | file-entry-cache@^1.1.1: 1361 | version "1.3.1" 1362 | resolved "https://registry.yarnpkg.com/file-entry-cache/-/file-entry-cache-1.3.1.tgz#44c61ea607ae4be9c1402f41f44270cbfe334ff8" 1363 | dependencies: 1364 | flat-cache "^1.2.1" 1365 | object-assign "^4.0.1" 1366 | 1367 | filename-regex@^2.0.0: 1368 | version "2.0.0" 1369 | resolved "https://registry.yarnpkg.com/filename-regex/-/filename-regex-2.0.0.tgz#996e3e80479b98b9897f15a8a58b3d084e926775" 1370 | 1371 | fill-range@^2.1.0: 1372 | version "2.2.3" 1373 | resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-2.2.3.tgz#50b77dfd7e469bc7492470963699fe7a8485a723" 1374 | dependencies: 1375 | is-number "^2.1.0" 1376 | isobject "^2.0.0" 1377 | randomatic "^1.1.3" 1378 | repeat-element "^1.1.2" 1379 | repeat-string "^1.5.2" 1380 | 1381 | find-up@^1.0.0: 1382 | version "1.1.2" 1383 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-1.1.2.tgz#6b2e9822b1a2ce0a60ab64d610eccad53cb24d0f" 1384 | dependencies: 1385 | path-exists "^2.0.0" 1386 | pinkie-promise "^2.0.0" 1387 | 1388 | find-versions@^1.0.0: 1389 | version "1.2.1" 1390 | resolved "https://registry.yarnpkg.com/find-versions/-/find-versions-1.2.1.tgz#cbde9f12e38575a0af1be1b9a2c5d5fd8f186b62" 1391 | dependencies: 1392 | array-uniq "^1.0.0" 1393 | get-stdin "^4.0.1" 1394 | meow "^3.5.0" 1395 | semver-regex "^1.0.0" 1396 | 1397 | flat-cache@^1.2.1: 1398 | version "1.2.1" 1399 | resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-1.2.1.tgz#6c837d6225a7de5659323740b36d5361f71691ff" 1400 | dependencies: 1401 | circular-json "^0.3.0" 1402 | del "^2.0.2" 1403 | graceful-fs "^4.1.2" 1404 | write "^0.2.1" 1405 | 1406 | for-in@^0.1.5: 1407 | version "0.1.6" 1408 | resolved "https://registry.yarnpkg.com/for-in/-/for-in-0.1.6.tgz#c9f96e89bfad18a545af5ec3ed352a1d9e5b4dc8" 1409 | 1410 | for-own@^0.1.3: 1411 | version "0.1.4" 1412 | resolved "https://registry.yarnpkg.com/for-own/-/for-own-0.1.4.tgz#0149b41a39088c7515f51ebe1c1386d45f935072" 1413 | dependencies: 1414 | for-in "^0.1.5" 1415 | 1416 | forever-agent@~0.6.1: 1417 | version "0.6.1" 1418 | resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91" 1419 | 1420 | form-data@~2.1.1: 1421 | version "2.1.1" 1422 | resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.1.1.tgz#4adf0342e1a79afa1e84c8c320a9ffc82392a1f3" 1423 | dependencies: 1424 | asynckit "^0.4.0" 1425 | combined-stream "^1.0.5" 1426 | mime-types "^2.1.12" 1427 | 1428 | fs-readdir-recursive@^0.1.0: 1429 | version "0.1.2" 1430 | resolved "https://registry.yarnpkg.com/fs-readdir-recursive/-/fs-readdir-recursive-0.1.2.tgz#315b4fb8c1ca5b8c47defef319d073dad3568059" 1431 | 1432 | fs.realpath@^1.0.0: 1433 | version "1.0.0" 1434 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" 1435 | 1436 | fsevents@^1.0.0: 1437 | version "1.0.14" 1438 | resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-1.0.14.tgz#558e8cc38643d8ef40fe45158486d0d25758eee4" 1439 | dependencies: 1440 | nan "^2.3.0" 1441 | node-pre-gyp "^0.6.29" 1442 | 1443 | fstream-ignore@~1.0.5: 1444 | version "1.0.5" 1445 | resolved "https://registry.yarnpkg.com/fstream-ignore/-/fstream-ignore-1.0.5.tgz#9c31dae34767018fe1d249b24dada67d092da105" 1446 | dependencies: 1447 | fstream "^1.0.0" 1448 | inherits "2" 1449 | minimatch "^3.0.0" 1450 | 1451 | fstream@^1.0.0, fstream@^1.0.2, fstream@~1.0.10: 1452 | version "1.0.10" 1453 | resolved "https://registry.yarnpkg.com/fstream/-/fstream-1.0.10.tgz#604e8a92fe26ffd9f6fae30399d4984e1ab22822" 1454 | dependencies: 1455 | graceful-fs "^4.1.2" 1456 | inherits "~2.0.0" 1457 | mkdirp ">=0.5 0" 1458 | rimraf "2" 1459 | 1460 | function-bind@^1.0.2: 1461 | version "1.1.0" 1462 | resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.0.tgz#16176714c801798e4e8f2cf7f7529467bb4a5771" 1463 | 1464 | gauge@~2.6.0: 1465 | version "2.6.0" 1466 | resolved "https://registry.yarnpkg.com/gauge/-/gauge-2.6.0.tgz#d35301ad18e96902b4751dcbbe40f4218b942a46" 1467 | dependencies: 1468 | aproba "^1.0.3" 1469 | console-control-strings "^1.0.0" 1470 | has-color "^0.1.7" 1471 | has-unicode "^2.0.0" 1472 | object-assign "^4.1.0" 1473 | signal-exit "^3.0.0" 1474 | string-width "^1.0.1" 1475 | strip-ansi "^3.0.1" 1476 | wide-align "^1.1.0" 1477 | 1478 | generate-function@^2.0.0: 1479 | version "2.0.0" 1480 | resolved "https://registry.yarnpkg.com/generate-function/-/generate-function-2.0.0.tgz#6858fe7c0969b7d4e9093337647ac79f60dfbe74" 1481 | 1482 | generate-object-property@^1.1.0: 1483 | version "1.2.0" 1484 | resolved "https://registry.yarnpkg.com/generate-object-property/-/generate-object-property-1.2.0.tgz#9c0e1c40308ce804f4783618b937fa88f99d50d0" 1485 | dependencies: 1486 | is-property "^1.0.0" 1487 | 1488 | get-stdin@^4.0.1: 1489 | version "4.0.1" 1490 | resolved "https://registry.yarnpkg.com/get-stdin/-/get-stdin-4.0.1.tgz#b968c6b0a04384324902e8bf1a5df32579a450fe" 1491 | 1492 | getpass@^0.1.1: 1493 | version "0.1.6" 1494 | resolved "https://registry.yarnpkg.com/getpass/-/getpass-0.1.6.tgz#283ffd9fc1256840875311c1b60e8c40187110e6" 1495 | dependencies: 1496 | assert-plus "^1.0.0" 1497 | 1498 | glob-base@^0.3.0: 1499 | version "0.3.0" 1500 | resolved "https://registry.yarnpkg.com/glob-base/-/glob-base-0.3.0.tgz#dbb164f6221b1c0b1ccf82aea328b497df0ea3c4" 1501 | dependencies: 1502 | glob-parent "^2.0.0" 1503 | is-glob "^2.0.0" 1504 | 1505 | glob-parent@^2.0.0: 1506 | version "2.0.0" 1507 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-2.0.0.tgz#81383d72db054fcccf5336daa902f182f6edbb28" 1508 | dependencies: 1509 | is-glob "^2.0.0" 1510 | 1511 | glob@^5.0.5: 1512 | version "5.0.15" 1513 | resolved "https://registry.yarnpkg.com/glob/-/glob-5.0.15.tgz#1bc936b9e02f4a603fcc222ecf7633d30b8b93b1" 1514 | dependencies: 1515 | inflight "^1.0.4" 1516 | inherits "2" 1517 | minimatch "2 || 3" 1518 | once "^1.3.0" 1519 | path-is-absolute "^1.0.0" 1520 | 1521 | glob@^7.0.3, glob@^7.0.5: 1522 | version "7.1.1" 1523 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.1.tgz#805211df04faaf1c63a3600306cdf5ade50b2ec8" 1524 | dependencies: 1525 | fs.realpath "^1.0.0" 1526 | inflight "^1.0.4" 1527 | inherits "2" 1528 | minimatch "^3.0.2" 1529 | once "^1.3.0" 1530 | path-is-absolute "^1.0.0" 1531 | 1532 | glob@3.2.11: 1533 | version "3.2.11" 1534 | resolved "https://registry.yarnpkg.com/glob/-/glob-3.2.11.tgz#4a973f635b9190f715d10987d5c00fd2815ebe3d" 1535 | dependencies: 1536 | inherits "2" 1537 | minimatch "0.3" 1538 | 1539 | globals@^9.0.0, globals@^9.2.0: 1540 | version "9.12.0" 1541 | resolved "https://registry.yarnpkg.com/globals/-/globals-9.12.0.tgz#992ce90828c3a55fa8f16fada177adb64664cf9d" 1542 | 1543 | globby@^5.0.0: 1544 | version "5.0.0" 1545 | resolved "https://registry.yarnpkg.com/globby/-/globby-5.0.0.tgz#ebd84667ca0dbb330b99bcfc68eac2bc54370e0d" 1546 | dependencies: 1547 | array-union "^1.0.1" 1548 | arrify "^1.0.0" 1549 | glob "^7.0.3" 1550 | object-assign "^4.0.1" 1551 | pify "^2.0.0" 1552 | pinkie-promise "^2.0.0" 1553 | 1554 | graceful-fs@^4.1.2, graceful-fs@^4.1.4: 1555 | version "4.1.9" 1556 | resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.1.9.tgz#baacba37d19d11f9d146d3578bc99958c3787e29" 1557 | 1558 | "graceful-readlink@>= 1.0.0": 1559 | version "1.0.1" 1560 | resolved "https://registry.yarnpkg.com/graceful-readlink/-/graceful-readlink-1.0.1.tgz#4cafad76bc62f02fa039b2f94e9a3dd3a391a725" 1561 | 1562 | growl@1.9.2: 1563 | version "1.9.2" 1564 | resolved "https://registry.yarnpkg.com/growl/-/growl-1.9.2.tgz#0ea7743715db8d8de2c5ede1775e1b45ac85c02f" 1565 | 1566 | har-validator@~2.0.6: 1567 | version "2.0.6" 1568 | resolved "https://registry.yarnpkg.com/har-validator/-/har-validator-2.0.6.tgz#cdcbc08188265ad119b6a5a7c8ab70eecfb5d27d" 1569 | dependencies: 1570 | chalk "^1.1.1" 1571 | commander "^2.9.0" 1572 | is-my-json-valid "^2.12.4" 1573 | pinkie-promise "^2.0.0" 1574 | 1575 | has-ansi@^2.0.0: 1576 | version "2.0.0" 1577 | resolved "https://registry.yarnpkg.com/has-ansi/-/has-ansi-2.0.0.tgz#34f5049ce1ecdf2b0649af3ef24e45ed35416d91" 1578 | dependencies: 1579 | ansi-regex "^2.0.0" 1580 | 1581 | has-color@^0.1.7: 1582 | version "0.1.7" 1583 | resolved "https://registry.yarnpkg.com/has-color/-/has-color-0.1.7.tgz#67144a5260c34fc3cca677d041daf52fe7b78b2f" 1584 | 1585 | has-unicode@^2.0.0: 1586 | version "2.0.1" 1587 | resolved "https://registry.yarnpkg.com/has-unicode/-/has-unicode-2.0.1.tgz#e0e6fe6a28cf51138855e086d1691e771de2a8b9" 1588 | 1589 | has@^1.0.1: 1590 | version "1.0.1" 1591 | resolved "https://registry.yarnpkg.com/has/-/has-1.0.1.tgz#8461733f538b0837c9361e39a9ab9e9704dc2f28" 1592 | dependencies: 1593 | function-bind "^1.0.2" 1594 | 1595 | hawk@~3.1.3: 1596 | version "3.1.3" 1597 | resolved "https://registry.yarnpkg.com/hawk/-/hawk-3.1.3.tgz#078444bd7c1640b0fe540d2c9b73d59678e8e1c4" 1598 | dependencies: 1599 | boom "2.x.x" 1600 | cryptiles "2.x.x" 1601 | hoek "2.x.x" 1602 | sntp "1.x.x" 1603 | 1604 | hoek@2.x.x: 1605 | version "2.16.3" 1606 | resolved "https://registry.yarnpkg.com/hoek/-/hoek-2.16.3.tgz#20bb7403d3cea398e91dc4710a8ff1b8274a25ed" 1607 | 1608 | home-or-tmp@^2.0.0: 1609 | version "2.0.0" 1610 | resolved "https://registry.yarnpkg.com/home-or-tmp/-/home-or-tmp-2.0.0.tgz#e36c3f2d2cae7d746a857e38d18d5f32a7882db8" 1611 | dependencies: 1612 | os-homedir "^1.0.0" 1613 | os-tmpdir "^1.0.1" 1614 | 1615 | hosted-git-info@^2.1.4: 1616 | version "2.1.5" 1617 | resolved "https://registry.yarnpkg.com/hosted-git-info/-/hosted-git-info-2.1.5.tgz#0ba81d90da2e25ab34a332e6ec77936e1598118b" 1618 | 1619 | http-signature@~1.1.0: 1620 | version "1.1.1" 1621 | resolved "https://registry.yarnpkg.com/http-signature/-/http-signature-1.1.1.tgz#df72e267066cd0ac67fb76adf8e134a8fbcf91bf" 1622 | dependencies: 1623 | assert-plus "^0.2.0" 1624 | jsprim "^1.2.2" 1625 | sshpk "^1.7.0" 1626 | 1627 | iconv-lite@~0.4.13: 1628 | version "0.4.13" 1629 | resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.13.tgz#1f88aba4ab0b1508e8312acc39345f36e992e2f2" 1630 | 1631 | ignore@^3.1.2: 1632 | version "3.2.0" 1633 | resolved "https://registry.yarnpkg.com/ignore/-/ignore-3.2.0.tgz#8d88f03c3002a0ac52114db25d2c673b0bf1e435" 1634 | 1635 | immutable@^3.7.6: 1636 | version "3.8.1" 1637 | resolved "https://registry.yarnpkg.com/immutable/-/immutable-3.8.1.tgz#200807f11ab0f72710ea485542de088075f68cd2" 1638 | 1639 | imurmurhash@^0.1.4: 1640 | version "0.1.4" 1641 | resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea" 1642 | 1643 | indent-string@^2.1.0: 1644 | version "2.1.0" 1645 | resolved "https://registry.yarnpkg.com/indent-string/-/indent-string-2.1.0.tgz#8e2d48348742121b4a8218b7a137e9a52049dc80" 1646 | dependencies: 1647 | repeating "^2.0.0" 1648 | 1649 | inflight@^1.0.4: 1650 | version "1.0.6" 1651 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9" 1652 | dependencies: 1653 | once "^1.3.0" 1654 | wrappy "1" 1655 | 1656 | inherits@^2.0.1, inherits@~2.0.0, inherits@~2.0.1, inherits@2: 1657 | version "2.0.3" 1658 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de" 1659 | 1660 | ini@~1.3.0: 1661 | version "1.3.4" 1662 | resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.4.tgz#0537cb79daf59b59a1a517dff706c86ec039162e" 1663 | 1664 | inquirer@^0.12.0: 1665 | version "0.12.0" 1666 | resolved "https://registry.yarnpkg.com/inquirer/-/inquirer-0.12.0.tgz#1ef2bfd63504df0bc75785fff8c2c41df12f077e" 1667 | dependencies: 1668 | ansi-escapes "^1.1.0" 1669 | ansi-regex "^2.0.0" 1670 | chalk "^1.0.0" 1671 | cli-cursor "^1.0.1" 1672 | cli-width "^2.0.0" 1673 | figures "^1.3.5" 1674 | lodash "^4.3.0" 1675 | readline2 "^1.0.1" 1676 | run-async "^0.1.0" 1677 | rx-lite "^3.1.2" 1678 | string-width "^1.0.1" 1679 | strip-ansi "^3.0.0" 1680 | through "^2.3.6" 1681 | 1682 | invariant@^2.2.0: 1683 | version "2.2.1" 1684 | resolved "https://registry.yarnpkg.com/invariant/-/invariant-2.2.1.tgz#b097010547668c7e337028ebe816ebe36c8a8d54" 1685 | dependencies: 1686 | loose-envify "^1.0.0" 1687 | 1688 | is-arrayish@^0.2.1: 1689 | version "0.2.1" 1690 | resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.2.1.tgz#77c99840527aa8ecb1a8ba697b80645a7a926a9d" 1691 | 1692 | is-binary-path@^1.0.0: 1693 | version "1.0.1" 1694 | resolved "https://registry.yarnpkg.com/is-binary-path/-/is-binary-path-1.0.1.tgz#75f16642b480f187a711c814161fd3a4a7655898" 1695 | dependencies: 1696 | binary-extensions "^1.0.0" 1697 | 1698 | is-buffer@^1.0.2: 1699 | version "1.1.4" 1700 | resolved "https://registry.yarnpkg.com/is-buffer/-/is-buffer-1.1.4.tgz#cfc86ccd5dc5a52fa80489111c6920c457e2d98b" 1701 | 1702 | is-builtin-module@^1.0.0: 1703 | version "1.0.0" 1704 | resolved "https://registry.yarnpkg.com/is-builtin-module/-/is-builtin-module-1.0.0.tgz#540572d34f7ac3119f8f76c30cbc1b1e037affbe" 1705 | dependencies: 1706 | builtin-modules "^1.0.0" 1707 | 1708 | is-dotfile@^1.0.0: 1709 | version "1.0.2" 1710 | resolved "https://registry.yarnpkg.com/is-dotfile/-/is-dotfile-1.0.2.tgz#2c132383f39199f8edc268ca01b9b007d205cc4d" 1711 | 1712 | is-equal-shallow@^0.1.3: 1713 | version "0.1.3" 1714 | resolved "https://registry.yarnpkg.com/is-equal-shallow/-/is-equal-shallow-0.1.3.tgz#2238098fc221de0bcfa5d9eac4c45d638aa1c534" 1715 | dependencies: 1716 | is-primitive "^2.0.0" 1717 | 1718 | is-extendable@^0.1.1: 1719 | version "0.1.1" 1720 | resolved "https://registry.yarnpkg.com/is-extendable/-/is-extendable-0.1.1.tgz#62b110e289a471418e3ec36a617d472e301dfc89" 1721 | 1722 | is-extglob@^1.0.0: 1723 | version "1.0.0" 1724 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-1.0.0.tgz#ac468177c4943405a092fc8f29760c6ffc6206c0" 1725 | 1726 | is-finite@^1.0.0: 1727 | version "1.0.2" 1728 | resolved "https://registry.yarnpkg.com/is-finite/-/is-finite-1.0.2.tgz#cc6677695602be550ef11e8b4aa6305342b6d0aa" 1729 | dependencies: 1730 | number-is-nan "^1.0.0" 1731 | 1732 | is-fullwidth-code-point@^1.0.0: 1733 | version "1.0.0" 1734 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-1.0.0.tgz#ef9e31386f031a7f0d643af82fde50c457ef00cb" 1735 | dependencies: 1736 | number-is-nan "^1.0.0" 1737 | 1738 | is-fullwidth-code-point@^2.0.0: 1739 | version "2.0.0" 1740 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f" 1741 | 1742 | is-glob@^2.0.0, is-glob@^2.0.1: 1743 | version "2.0.1" 1744 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-2.0.1.tgz#d096f926a3ded5600f3fdfd91198cb0888c2d863" 1745 | dependencies: 1746 | is-extglob "^1.0.0" 1747 | 1748 | is-my-json-valid@^2.10.0, is-my-json-valid@^2.12.4: 1749 | version "2.15.0" 1750 | resolved "https://registry.yarnpkg.com/is-my-json-valid/-/is-my-json-valid-2.15.0.tgz#936edda3ca3c211fd98f3b2d3e08da43f7b2915b" 1751 | dependencies: 1752 | generate-function "^2.0.0" 1753 | generate-object-property "^1.1.0" 1754 | jsonpointer "^4.0.0" 1755 | xtend "^4.0.0" 1756 | 1757 | is-number@^2.0.2, is-number@^2.1.0: 1758 | version "2.1.0" 1759 | resolved "https://registry.yarnpkg.com/is-number/-/is-number-2.1.0.tgz#01fcbbb393463a548f2f466cce16dece49db908f" 1760 | dependencies: 1761 | kind-of "^3.0.2" 1762 | 1763 | is-path-cwd@^1.0.0: 1764 | version "1.0.0" 1765 | resolved "https://registry.yarnpkg.com/is-path-cwd/-/is-path-cwd-1.0.0.tgz#d225ec23132e89edd38fda767472e62e65f1106d" 1766 | 1767 | is-path-in-cwd@^1.0.0: 1768 | version "1.0.0" 1769 | resolved "https://registry.yarnpkg.com/is-path-in-cwd/-/is-path-in-cwd-1.0.0.tgz#6477582b8214d602346094567003be8a9eac04dc" 1770 | dependencies: 1771 | is-path-inside "^1.0.0" 1772 | 1773 | is-path-inside@^1.0.0: 1774 | version "1.0.0" 1775 | resolved "https://registry.yarnpkg.com/is-path-inside/-/is-path-inside-1.0.0.tgz#fc06e5a1683fbda13de667aff717bbc10a48f37f" 1776 | dependencies: 1777 | path-is-inside "^1.0.1" 1778 | 1779 | is-posix-bracket@^0.1.0: 1780 | version "0.1.1" 1781 | resolved "https://registry.yarnpkg.com/is-posix-bracket/-/is-posix-bracket-0.1.1.tgz#3334dc79774368e92f016e6fbc0a88f5cd6e6bc4" 1782 | 1783 | is-primitive@^2.0.0: 1784 | version "2.0.0" 1785 | resolved "https://registry.yarnpkg.com/is-primitive/-/is-primitive-2.0.0.tgz#207bab91638499c07b2adf240a41a87210034575" 1786 | 1787 | is-property@^1.0.0: 1788 | version "1.0.2" 1789 | resolved "https://registry.yarnpkg.com/is-property/-/is-property-1.0.2.tgz#57fe1c4e48474edd65b09911f26b1cd4095dda84" 1790 | 1791 | is-resolvable@^1.0.0: 1792 | version "1.0.0" 1793 | resolved "https://registry.yarnpkg.com/is-resolvable/-/is-resolvable-1.0.0.tgz#8df57c61ea2e3c501408d100fb013cf8d6e0cc62" 1794 | dependencies: 1795 | tryit "^1.0.1" 1796 | 1797 | is-stream@^1.0.1: 1798 | version "1.1.0" 1799 | resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-1.1.0.tgz#12d4a3dd4e68e0b79ceb8dbc84173ae80d91ca44" 1800 | 1801 | is-typedarray@~1.0.0: 1802 | version "1.0.0" 1803 | resolved "https://registry.yarnpkg.com/is-typedarray/-/is-typedarray-1.0.0.tgz#e479c80858df0c1b11ddda6940f96011fcda4a9a" 1804 | 1805 | is-utf8@^0.2.0: 1806 | version "0.2.1" 1807 | resolved "https://registry.yarnpkg.com/is-utf8/-/is-utf8-0.2.1.tgz#4b0da1442104d1b336340e80797e865cf39f7d72" 1808 | 1809 | isarray@^1.0.0, isarray@~1.0.0, isarray@1.0.0: 1810 | version "1.0.0" 1811 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" 1812 | 1813 | isobject@^2.0.0: 1814 | version "2.1.0" 1815 | resolved "https://registry.yarnpkg.com/isobject/-/isobject-2.1.0.tgz#f065561096a3f1da2ef46272f815c840d87e0c89" 1816 | dependencies: 1817 | isarray "1.0.0" 1818 | 1819 | isomorphic-fetch@^2.1.1: 1820 | version "2.2.1" 1821 | resolved "https://registry.yarnpkg.com/isomorphic-fetch/-/isomorphic-fetch-2.2.1.tgz#611ae1acf14f5e81f729507472819fe9733558a9" 1822 | dependencies: 1823 | node-fetch "^1.0.1" 1824 | whatwg-fetch ">=0.10.0" 1825 | 1826 | isstream@~0.1.2: 1827 | version "0.1.2" 1828 | resolved "https://registry.yarnpkg.com/isstream/-/isstream-0.1.2.tgz#47e63f7af55afa6f92e1500e690eb8b8529c099a" 1829 | 1830 | jade@0.26.3: 1831 | version "0.26.3" 1832 | resolved "https://registry.yarnpkg.com/jade/-/jade-0.26.3.tgz#8f10d7977d8d79f2f6ff862a81b0513ccb25686c" 1833 | dependencies: 1834 | commander "0.6.1" 1835 | mkdirp "0.3.0" 1836 | 1837 | jodid25519@^1.0.0: 1838 | version "1.0.2" 1839 | resolved "https://registry.yarnpkg.com/jodid25519/-/jodid25519-1.0.2.tgz#06d4912255093419477d425633606e0e90782967" 1840 | dependencies: 1841 | jsbn "~0.1.0" 1842 | 1843 | js-babel-dev@^6.0.7: 1844 | version "6.0.7" 1845 | resolved "https://registry.yarnpkg.com/js-babel-dev/-/js-babel-dev-6.0.7.tgz#459dc045dfdcfe20f9fa59c39824bdd19cb5a869" 1846 | dependencies: 1847 | babel-cli "6.10.1" 1848 | babel-eslint "6.0.4" 1849 | eslint "2.13.0" 1850 | eslint-config-airbnb "9.0.1" 1851 | eslint-plugin-import "^1.8.1" 1852 | eslint-plugin-jsx-a11y "^1.5.3" 1853 | eslint-plugin-react "5.2.2" 1854 | 1855 | js-babel@^6.0.6: 1856 | version "6.1.0" 1857 | resolved "https://registry.yarnpkg.com/js-babel/-/js-babel-6.1.0.tgz#72bb14c08620bb2a7b64d29af9c21385bba8ecfb" 1858 | dependencies: 1859 | babel-cli "6.14.0" 1860 | babel-core "6.11.4" 1861 | babel-plugin-syntax-async-functions "6.8.0" 1862 | babel-plugin-syntax-trailing-function-commas "6.8.0" 1863 | babel-plugin-transform-class-properties "6.11.5" 1864 | babel-plugin-transform-es2015-destructuring "6.9.0" 1865 | babel-plugin-transform-object-rest-spread "6.8.0" 1866 | babel-plugin-transform-react-constant-elements "6.9.1" 1867 | babel-plugin-transform-regenerator "6.11.4" 1868 | babel-plugin-transform-runtime "6.12.0" 1869 | babel-preset-es2015 "6.9.0" 1870 | babel-preset-es2016 "6.11.3" 1871 | babel-preset-react "6.11.1" 1872 | babel-runtime "6.9.2" 1873 | 1874 | js-tokens@^1.0.1: 1875 | version "1.0.3" 1876 | resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-1.0.3.tgz#14e56eb68c8f1a92c43d59f5014ec29dc20f2ae1" 1877 | 1878 | js-tokens@^2.0.0: 1879 | version "2.0.0" 1880 | resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-2.0.0.tgz#79903f5563ee778cc1162e6dcf1a0027c97f9cb5" 1881 | 1882 | js-yaml@^3.5.1: 1883 | version "3.6.1" 1884 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-3.6.1.tgz#6e5fe67d8b205ce4d22fad05b7781e8dadcc4b30" 1885 | dependencies: 1886 | argparse "^1.0.7" 1887 | esprima "^2.6.0" 1888 | 1889 | jsbn@~0.1.0: 1890 | version "0.1.0" 1891 | resolved "https://registry.yarnpkg.com/jsbn/-/jsbn-0.1.0.tgz#650987da0dd74f4ebf5a11377a2aa2d273e97dfd" 1892 | 1893 | jsesc@^1.3.0: 1894 | version "1.3.0" 1895 | resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-1.3.0.tgz#46c3fec8c1892b12b0833db9bc7622176dbab34b" 1896 | 1897 | jsesc@~0.5.0: 1898 | version "0.5.0" 1899 | resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-0.5.0.tgz#e7dee66e35d6fc16f710fe91d5cf69f70f08911d" 1900 | 1901 | json-schema@0.2.3: 1902 | version "0.2.3" 1903 | resolved "https://registry.yarnpkg.com/json-schema/-/json-schema-0.2.3.tgz#b480c892e59a2f05954ce727bd3f2a4e882f9e13" 1904 | 1905 | json-stable-stringify@^1.0.0, json-stable-stringify@^1.0.1: 1906 | version "1.0.1" 1907 | resolved "https://registry.yarnpkg.com/json-stable-stringify/-/json-stable-stringify-1.0.1.tgz#9a759d39c5f2ff503fd5300646ed445f88c4f9af" 1908 | dependencies: 1909 | jsonify "~0.0.0" 1910 | 1911 | json-stringify-safe@~5.0.1: 1912 | version "5.0.1" 1913 | resolved "https://registry.yarnpkg.com/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz#1296a2d58fd45f19a0f6ce01d65701e2c735b6eb" 1914 | 1915 | json5@^0.4.0: 1916 | version "0.4.0" 1917 | resolved "https://registry.yarnpkg.com/json5/-/json5-0.4.0.tgz#054352e4c4c80c86c0923877d449de176a732c8d" 1918 | 1919 | json5@^0.5.0: 1920 | version "0.5.0" 1921 | resolved "https://registry.yarnpkg.com/json5/-/json5-0.5.0.tgz#9b20715b026cbe3778fd769edccd822d8332a5b2" 1922 | 1923 | jsonify@~0.0.0: 1924 | version "0.0.0" 1925 | resolved "https://registry.yarnpkg.com/jsonify/-/jsonify-0.0.0.tgz#2c74b6ee41d93ca51b7b5aaee8f503631d252a73" 1926 | 1927 | jsonpointer@^4.0.0: 1928 | version "4.0.0" 1929 | resolved "https://registry.yarnpkg.com/jsonpointer/-/jsonpointer-4.0.0.tgz#6661e161d2fc445f19f98430231343722e1fcbd5" 1930 | 1931 | jsprim@^1.2.2: 1932 | version "1.3.1" 1933 | resolved "https://registry.yarnpkg.com/jsprim/-/jsprim-1.3.1.tgz#2a7256f70412a29ee3670aaca625994c4dcff252" 1934 | dependencies: 1935 | extsprintf "1.0.2" 1936 | json-schema "0.2.3" 1937 | verror "1.3.6" 1938 | 1939 | jsx-ast-utils@^1.0.0, jsx-ast-utils@^1.2.1: 1940 | version "1.3.2" 1941 | resolved "https://registry.yarnpkg.com/jsx-ast-utils/-/jsx-ast-utils-1.3.2.tgz#dff658782705352111f9865d40471bc4a955961e" 1942 | dependencies: 1943 | acorn-jsx "^3.0.1" 1944 | object-assign "^4.1.0" 1945 | 1946 | kind-of@^3.0.2: 1947 | version "3.0.4" 1948 | resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-3.0.4.tgz#7b8ecf18a4e17f8269d73b501c9f232c96887a74" 1949 | dependencies: 1950 | is-buffer "^1.0.2" 1951 | 1952 | levn@^0.3.0, levn@~0.3.0: 1953 | version "0.3.0" 1954 | resolved "https://registry.yarnpkg.com/levn/-/levn-0.3.0.tgz#3b09924edf9f083c0490fdd4c0bc4421e04764ee" 1955 | dependencies: 1956 | prelude-ls "~1.1.2" 1957 | type-check "~0.3.2" 1958 | 1959 | load-json-file@^1.0.0: 1960 | version "1.1.0" 1961 | resolved "https://registry.yarnpkg.com/load-json-file/-/load-json-file-1.1.0.tgz#956905708d58b4bab4c2261b04f59f31c99374c0" 1962 | dependencies: 1963 | graceful-fs "^4.1.2" 1964 | parse-json "^2.2.0" 1965 | pify "^2.0.0" 1966 | pinkie-promise "^2.0.0" 1967 | strip-bom "^2.0.0" 1968 | 1969 | lodash.assign@^4.0.0: 1970 | version "4.2.0" 1971 | resolved "https://registry.yarnpkg.com/lodash.assign/-/lodash.assign-4.2.0.tgz#0d99f3ccd7a6d261d19bdaeb9245005d285808e7" 1972 | 1973 | lodash.cond@^4.3.0: 1974 | version "4.5.2" 1975 | resolved "https://registry.yarnpkg.com/lodash.cond/-/lodash.cond-4.5.2.tgz#f471a1da486be60f6ab955d17115523dd1d255d5" 1976 | 1977 | lodash.endswith@^4.0.1: 1978 | version "4.2.1" 1979 | resolved "https://registry.yarnpkg.com/lodash.endswith/-/lodash.endswith-4.2.1.tgz#fed59ac1738ed3e236edd7064ec456448b37bc09" 1980 | 1981 | lodash.find@^4.3.0: 1982 | version "4.6.0" 1983 | resolved "https://registry.yarnpkg.com/lodash.find/-/lodash.find-4.6.0.tgz#cb0704d47ab71789ffa0de8b97dd926fb88b13b1" 1984 | 1985 | lodash.findindex@^4.3.0: 1986 | version "4.6.0" 1987 | resolved "https://registry.yarnpkg.com/lodash.findindex/-/lodash.findindex-4.6.0.tgz#a3245dee61fb9b6e0624b535125624bb69c11106" 1988 | 1989 | lodash.pickby@^4.0.0: 1990 | version "4.6.0" 1991 | resolved "https://registry.yarnpkg.com/lodash.pickby/-/lodash.pickby-4.6.0.tgz#7dea21d8c18d7703a27c704c15d3b84a67e33aff" 1992 | 1993 | lodash@^4.0.0, lodash@^4.2.0, lodash@^4.3.0: 1994 | version "4.16.4" 1995 | resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.16.4.tgz#01ce306b9bad1319f2a5528674f88297aeb70127" 1996 | 1997 | log-symbols@^1.0.2: 1998 | version "1.0.2" 1999 | resolved "https://registry.yarnpkg.com/log-symbols/-/log-symbols-1.0.2.tgz#376ff7b58ea3086a0f09facc74617eca501e1a18" 2000 | dependencies: 2001 | chalk "^1.0.0" 2002 | 2003 | loose-envify@^1.0.0, loose-envify@^1.1.0: 2004 | version "1.2.0" 2005 | resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.2.0.tgz#69a65aad3de542cf4ee0f4fe74e8e33c709ccb0f" 2006 | dependencies: 2007 | js-tokens "^1.0.1" 2008 | 2009 | loud-rejection@^1.0.0: 2010 | version "1.6.0" 2011 | resolved "https://registry.yarnpkg.com/loud-rejection/-/loud-rejection-1.6.0.tgz#5b46f80147edee578870f086d04821cf998e551f" 2012 | dependencies: 2013 | currently-unhandled "^0.4.1" 2014 | signal-exit "^3.0.0" 2015 | 2016 | lru-cache@2: 2017 | version "2.7.3" 2018 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-2.7.3.tgz#6d4524e8b955f95d4f5b58851ce21dd72fb4e952" 2019 | 2020 | map-obj@^1.0.0, map-obj@^1.0.1: 2021 | version "1.0.1" 2022 | resolved "https://registry.yarnpkg.com/map-obj/-/map-obj-1.0.1.tgz#d933ceb9205d82bdcf4886f6742bdc2b4dea146d" 2023 | 2024 | meow@^3.5.0: 2025 | version "3.7.0" 2026 | resolved "https://registry.yarnpkg.com/meow/-/meow-3.7.0.tgz#72cb668b425228290abbfa856892587308a801fb" 2027 | dependencies: 2028 | camelcase-keys "^2.0.0" 2029 | decamelize "^1.1.2" 2030 | loud-rejection "^1.0.0" 2031 | map-obj "^1.0.1" 2032 | minimist "^1.1.3" 2033 | normalize-package-data "^2.3.4" 2034 | object-assign "^4.0.1" 2035 | read-pkg-up "^1.0.1" 2036 | redent "^1.0.0" 2037 | trim-newlines "^1.0.0" 2038 | 2039 | micromatch@^2.1.5: 2040 | version "2.3.11" 2041 | resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-2.3.11.tgz#86677c97d1720b363431d04d0d15293bd38c1565" 2042 | dependencies: 2043 | arr-diff "^2.0.0" 2044 | array-unique "^0.2.1" 2045 | braces "^1.8.2" 2046 | expand-brackets "^0.1.4" 2047 | extglob "^0.3.1" 2048 | filename-regex "^2.0.0" 2049 | is-extglob "^1.0.0" 2050 | is-glob "^2.0.1" 2051 | kind-of "^3.0.2" 2052 | normalize-path "^2.0.1" 2053 | object.omit "^2.0.0" 2054 | parse-glob "^3.0.4" 2055 | regex-cache "^0.4.2" 2056 | 2057 | mime-db@~1.24.0: 2058 | version "1.24.0" 2059 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.24.0.tgz#e2d13f939f0016c6e4e9ad25a8652f126c467f0c" 2060 | 2061 | mime-types@^2.1.12, mime-types@~2.1.7: 2062 | version "2.1.12" 2063 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.12.tgz#152ba256777020dd4663f54c2e7bc26381e71729" 2064 | dependencies: 2065 | mime-db "~1.24.0" 2066 | 2067 | minimatch@^3.0.0, minimatch@^3.0.2, minimatch@^3.0.3, "minimatch@2 || 3": 2068 | version "3.0.3" 2069 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.3.tgz#2a4e4090b96b2db06a9d7df01055a62a77c9b774" 2070 | dependencies: 2071 | brace-expansion "^1.0.0" 2072 | 2073 | minimatch@0.3: 2074 | version "0.3.0" 2075 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-0.3.0.tgz#275d8edaac4f1bb3326472089e7949c8394699dd" 2076 | dependencies: 2077 | lru-cache "2" 2078 | sigmund "~1.0.0" 2079 | 2080 | minimist@^1.1.0, minimist@^1.1.3, minimist@^1.2.0: 2081 | version "1.2.0" 2082 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.0.tgz#a35008b20f41383eec1fb914f4cd5df79a264284" 2083 | 2084 | minimist@0.0.8: 2085 | version "0.0.8" 2086 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.8.tgz#857fcabfc3397d2625b8228262e86aa7a011b05d" 2087 | 2088 | mkdirp@^0.5.0, mkdirp@^0.5.1, "mkdirp@>=0.5 0", mkdirp@~0.5.1, mkdirp@0.5.1: 2089 | version "0.5.1" 2090 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.1.tgz#30057438eac6cf7f8c4767f38648d6697d75c903" 2091 | dependencies: 2092 | minimist "0.0.8" 2093 | 2094 | mkdirp@0.3.0: 2095 | version "0.3.0" 2096 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.3.0.tgz#1bbf5ab1ba827af23575143490426455f481fe1e" 2097 | 2098 | mocha@^2.5.3: 2099 | version "2.5.3" 2100 | resolved "https://registry.yarnpkg.com/mocha/-/mocha-2.5.3.tgz#161be5bdeb496771eb9b35745050b622b5aefc58" 2101 | dependencies: 2102 | commander "2.3.0" 2103 | debug "2.2.0" 2104 | diff "1.4.0" 2105 | escape-string-regexp "1.0.2" 2106 | glob "3.2.11" 2107 | growl "1.9.2" 2108 | jade "0.26.3" 2109 | mkdirp "0.5.1" 2110 | supports-color "1.2.0" 2111 | to-iso-string "0.0.2" 2112 | 2113 | ms@0.7.1: 2114 | version "0.7.1" 2115 | resolved "https://registry.yarnpkg.com/ms/-/ms-0.7.1.tgz#9cd13c03adbff25b65effde7ce864ee952017098" 2116 | 2117 | mute-stream@0.0.5: 2118 | version "0.0.5" 2119 | resolved "https://registry.yarnpkg.com/mute-stream/-/mute-stream-0.0.5.tgz#8fbfabb0a98a253d3184331f9e8deb7372fac6c0" 2120 | 2121 | nan@^2.3.0: 2122 | version "2.4.0" 2123 | resolved "https://registry.yarnpkg.com/nan/-/nan-2.4.0.tgz#fb3c59d45fe4effe215f0b890f8adf6eb32d2232" 2124 | 2125 | node-fetch@^1.0.1: 2126 | version "1.6.3" 2127 | resolved "https://registry.yarnpkg.com/node-fetch/-/node-fetch-1.6.3.tgz#dc234edd6489982d58e8f0db4f695029abcd8c04" 2128 | dependencies: 2129 | encoding "^0.1.11" 2130 | is-stream "^1.0.1" 2131 | 2132 | node-pre-gyp@^0.6.29: 2133 | version "0.6.31" 2134 | resolved "https://registry.yarnpkg.com/node-pre-gyp/-/node-pre-gyp-0.6.31.tgz#d8a00ddaa301a940615dbcc8caad4024d58f6017" 2135 | dependencies: 2136 | mkdirp "~0.5.1" 2137 | nopt "~3.0.6" 2138 | npmlog "^4.0.0" 2139 | rc "~1.1.6" 2140 | request "^2.75.0" 2141 | rimraf "~2.5.4" 2142 | semver "~5.3.0" 2143 | tar "~2.2.1" 2144 | tar-pack "~3.3.0" 2145 | 2146 | node-uuid@~1.4.7: 2147 | version "1.4.7" 2148 | resolved "https://registry.yarnpkg.com/node-uuid/-/node-uuid-1.4.7.tgz#6da5a17668c4b3dd59623bda11cf7fa4c1f60a6f" 2149 | 2150 | nopt@~3.0.6: 2151 | version "3.0.6" 2152 | resolved "https://registry.yarnpkg.com/nopt/-/nopt-3.0.6.tgz#c6465dbf08abcd4db359317f79ac68a646b28ff9" 2153 | dependencies: 2154 | abbrev "1" 2155 | 2156 | normalize-package-data@^2.3.2, normalize-package-data@^2.3.4: 2157 | version "2.3.5" 2158 | resolved "https://registry.yarnpkg.com/normalize-package-data/-/normalize-package-data-2.3.5.tgz#8d924f142960e1777e7ffe170543631cc7cb02df" 2159 | dependencies: 2160 | hosted-git-info "^2.1.4" 2161 | is-builtin-module "^1.0.0" 2162 | semver "2 || 3 || 4 || 5" 2163 | validate-npm-package-license "^3.0.1" 2164 | 2165 | normalize-path@^2.0.1: 2166 | version "2.0.1" 2167 | resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-2.0.1.tgz#47886ac1662760d4261b7d979d241709d3ce3f7a" 2168 | 2169 | npmlog@^4.0.0: 2170 | version "4.0.0" 2171 | resolved "https://registry.yarnpkg.com/npmlog/-/npmlog-4.0.0.tgz#e094503961c70c1774eb76692080e8d578a9f88f" 2172 | dependencies: 2173 | are-we-there-yet "~1.1.2" 2174 | console-control-strings "~1.1.0" 2175 | gauge "~2.6.0" 2176 | set-blocking "~2.0.0" 2177 | 2178 | number-is-nan@^1.0.0: 2179 | version "1.0.1" 2180 | resolved "https://registry.yarnpkg.com/number-is-nan/-/number-is-nan-1.0.1.tgz#097b602b53422a522c1afb8790318336941a011d" 2181 | 2182 | oauth-sign@~0.8.1: 2183 | version "0.8.2" 2184 | resolved "https://registry.yarnpkg.com/oauth-sign/-/oauth-sign-0.8.2.tgz#46a6ab7f0aead8deae9ec0565780b7d4efeb9d43" 2185 | 2186 | object-assign@^4.0.1, object-assign@^4.1.0: 2187 | version "4.1.0" 2188 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.0.tgz#7a3b3d0e98063d43f4c03f2e8ae6cd51a86883a0" 2189 | 2190 | object.omit@^2.0.0: 2191 | version "2.0.0" 2192 | resolved "https://registry.yarnpkg.com/object.omit/-/object.omit-2.0.0.tgz#868597333d54e60662940bb458605dd6ae12fe94" 2193 | dependencies: 2194 | for-own "^0.1.3" 2195 | is-extendable "^0.1.1" 2196 | 2197 | once@^1.3.0: 2198 | version "1.4.0" 2199 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" 2200 | dependencies: 2201 | wrappy "1" 2202 | 2203 | once@~1.3.3: 2204 | version "1.3.3" 2205 | resolved "https://registry.yarnpkg.com/once/-/once-1.3.3.tgz#b2e261557ce4c314ec8304f3fa82663e4297ca20" 2206 | dependencies: 2207 | wrappy "1" 2208 | 2209 | onetime@^1.0.0: 2210 | version "1.1.0" 2211 | resolved "https://registry.yarnpkg.com/onetime/-/onetime-1.1.0.tgz#a1f7838f8314c516f05ecefcbc4ccfe04b4ed789" 2212 | 2213 | optionator@^0.8.1: 2214 | version "0.8.2" 2215 | resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.8.2.tgz#364c5e409d3f4d6301d6c0b4c05bba50180aeb64" 2216 | dependencies: 2217 | deep-is "~0.1.3" 2218 | fast-levenshtein "~2.0.4" 2219 | levn "~0.3.0" 2220 | prelude-ls "~1.1.2" 2221 | type-check "~0.3.2" 2222 | wordwrap "~1.0.0" 2223 | 2224 | os-homedir@^1.0.0: 2225 | version "1.0.2" 2226 | resolved "https://registry.yarnpkg.com/os-homedir/-/os-homedir-1.0.2.tgz#ffbc4988336e0e833de0c168c7ef152121aa7fb3" 2227 | 2228 | os-tmpdir@^1.0.1: 2229 | version "1.0.2" 2230 | resolved "https://registry.yarnpkg.com/os-tmpdir/-/os-tmpdir-1.0.2.tgz#bbe67406c79aa85c5cfec766fe5734555dfa1274" 2231 | 2232 | output-file-sync@^1.1.0: 2233 | version "1.1.2" 2234 | resolved "https://registry.yarnpkg.com/output-file-sync/-/output-file-sync-1.1.2.tgz#d0a33eefe61a205facb90092e826598d5245ce76" 2235 | dependencies: 2236 | graceful-fs "^4.1.4" 2237 | mkdirp "^0.5.1" 2238 | object-assign "^4.1.0" 2239 | 2240 | parse-glob@^3.0.4: 2241 | version "3.0.4" 2242 | resolved "https://registry.yarnpkg.com/parse-glob/-/parse-glob-3.0.4.tgz#b2c376cfb11f35513badd173ef0bb6e3a388391c" 2243 | dependencies: 2244 | glob-base "^0.3.0" 2245 | is-dotfile "^1.0.0" 2246 | is-extglob "^1.0.0" 2247 | is-glob "^2.0.0" 2248 | 2249 | parse-json@^2.2.0: 2250 | version "2.2.0" 2251 | resolved "https://registry.yarnpkg.com/parse-json/-/parse-json-2.2.0.tgz#f480f40434ef80741f8469099f8dea18f55a4dc9" 2252 | dependencies: 2253 | error-ex "^1.2.0" 2254 | 2255 | path-exists@^1.0.0: 2256 | version "1.0.0" 2257 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-1.0.0.tgz#d5a8998eb71ef37a74c34eb0d9eba6e878eea081" 2258 | 2259 | path-exists@^2.0.0: 2260 | version "2.1.0" 2261 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-2.1.0.tgz#0feb6c64f0fc518d9a754dd5efb62c7022761f4b" 2262 | dependencies: 2263 | pinkie-promise "^2.0.0" 2264 | 2265 | path-is-absolute@^1.0.0: 2266 | version "1.0.1" 2267 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" 2268 | 2269 | path-is-inside@^1.0.1: 2270 | version "1.0.2" 2271 | resolved "https://registry.yarnpkg.com/path-is-inside/-/path-is-inside-1.0.2.tgz#365417dede44430d1c11af61027facf074bdfc53" 2272 | 2273 | path-type@^1.0.0: 2274 | version "1.1.0" 2275 | resolved "https://registry.yarnpkg.com/path-type/-/path-type-1.1.0.tgz#59c44f7ee491da704da415da5a4070ba4f8fe441" 2276 | dependencies: 2277 | graceful-fs "^4.1.2" 2278 | pify "^2.0.0" 2279 | pinkie-promise "^2.0.0" 2280 | 2281 | pify@^2.0.0: 2282 | version "2.3.0" 2283 | resolved "https://registry.yarnpkg.com/pify/-/pify-2.3.0.tgz#ed141a6ac043a849ea588498e7dca8b15330e90c" 2284 | 2285 | pinkie-promise@^2.0.0: 2286 | version "2.0.1" 2287 | resolved "https://registry.yarnpkg.com/pinkie-promise/-/pinkie-promise-2.0.1.tgz#2135d6dfa7a358c069ac9b178776288228450ffa" 2288 | dependencies: 2289 | pinkie "^2.0.0" 2290 | 2291 | pinkie@^2.0.0: 2292 | version "2.0.4" 2293 | resolved "https://registry.yarnpkg.com/pinkie/-/pinkie-2.0.4.tgz#72556b80cfa0d48a974e80e77248e80ed4f7f870" 2294 | 2295 | pkg-dir@^1.0.0: 2296 | version "1.0.0" 2297 | resolved "https://registry.yarnpkg.com/pkg-dir/-/pkg-dir-1.0.0.tgz#7a4b508a8d5bb2d629d447056ff4e9c9314cf3d4" 2298 | dependencies: 2299 | find-up "^1.0.0" 2300 | 2301 | pkg-up@^1.0.0: 2302 | version "1.0.0" 2303 | resolved "https://registry.yarnpkg.com/pkg-up/-/pkg-up-1.0.0.tgz#3e08fb461525c4421624a33b9f7e6d0af5b05a26" 2304 | dependencies: 2305 | find-up "^1.0.0" 2306 | 2307 | pluralize@^1.2.1: 2308 | version "1.2.1" 2309 | resolved "https://registry.yarnpkg.com/pluralize/-/pluralize-1.2.1.tgz#d1a21483fd22bb41e58a12fa3421823140897c45" 2310 | 2311 | prelude-ls@~1.1.2: 2312 | version "1.1.2" 2313 | resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.1.2.tgz#21932a549f5e52ffd9a827f570e04be62a97da54" 2314 | 2315 | preserve@^0.2.0: 2316 | version "0.2.0" 2317 | resolved "https://registry.yarnpkg.com/preserve/-/preserve-0.2.0.tgz#815ed1f6ebc65926f865b310c0713bcb3315ce4b" 2318 | 2319 | private@^0.1.6, private@~0.1.5: 2320 | version "0.1.6" 2321 | resolved "https://registry.yarnpkg.com/private/-/private-0.1.6.tgz#55c6a976d0f9bafb9924851350fe47b9b5fbb7c1" 2322 | 2323 | process-nextick-args@~1.0.6: 2324 | version "1.0.7" 2325 | resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-1.0.7.tgz#150e20b756590ad3f91093f25a4f2ad8bff30ba3" 2326 | 2327 | progress@^1.1.8: 2328 | version "1.1.8" 2329 | resolved "https://registry.yarnpkg.com/progress/-/progress-1.1.8.tgz#e260c78f6161cdd9b0e56cc3e0a85de17c7a57be" 2330 | 2331 | promise@^7.1.1: 2332 | version "7.1.1" 2333 | resolved "https://registry.yarnpkg.com/promise/-/promise-7.1.1.tgz#489654c692616b8aa55b0724fa809bb7db49c5bf" 2334 | dependencies: 2335 | asap "~2.0.3" 2336 | 2337 | punycode@^1.4.1: 2338 | version "1.4.1" 2339 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.4.1.tgz#c0d5a63b2718800ad8e1eb0fa5269c84dd41845e" 2340 | 2341 | qs@~6.3.0: 2342 | version "6.3.0" 2343 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.3.0.tgz#f403b264f23bc01228c74131b407f18d5ea5d442" 2344 | 2345 | randomatic@^1.1.3: 2346 | version "1.1.5" 2347 | resolved "https://registry.yarnpkg.com/randomatic/-/randomatic-1.1.5.tgz#5e9ef5f2d573c67bd2b8124ae90b5156e457840b" 2348 | dependencies: 2349 | is-number "^2.0.2" 2350 | kind-of "^3.0.2" 2351 | 2352 | rc@~1.1.6: 2353 | version "1.1.6" 2354 | resolved "https://registry.yarnpkg.com/rc/-/rc-1.1.6.tgz#43651b76b6ae53b5c802f1151fa3fc3b059969c9" 2355 | dependencies: 2356 | deep-extend "~0.4.0" 2357 | ini "~1.3.0" 2358 | minimist "^1.2.0" 2359 | strip-json-comments "~1.0.4" 2360 | 2361 | react@^15.1.0: 2362 | version "15.3.2" 2363 | resolved "https://registry.yarnpkg.com/react/-/react-15.3.2.tgz#a7bccd2fee8af126b0317e222c28d1d54528d09e" 2364 | dependencies: 2365 | fbjs "^0.8.4" 2366 | loose-envify "^1.1.0" 2367 | object-assign "^4.1.0" 2368 | 2369 | read-pkg-up@^1.0.1: 2370 | version "1.0.1" 2371 | resolved "https://registry.yarnpkg.com/read-pkg-up/-/read-pkg-up-1.0.1.tgz#9d63c13276c065918d57f002a57f40a1b643fb02" 2372 | dependencies: 2373 | find-up "^1.0.0" 2374 | read-pkg "^1.0.0" 2375 | 2376 | read-pkg@^1.0.0: 2377 | version "1.1.0" 2378 | resolved "https://registry.yarnpkg.com/read-pkg/-/read-pkg-1.1.0.tgz#f5ffaa5ecd29cb31c0474bca7d756b6bb29e3f28" 2379 | dependencies: 2380 | load-json-file "^1.0.0" 2381 | normalize-package-data "^2.3.2" 2382 | path-type "^1.0.0" 2383 | 2384 | "readable-stream@^2.0.0 || ^1.1.13", readable-stream@^2.0.2, readable-stream@~2.1.4: 2385 | version "2.1.5" 2386 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.1.5.tgz#66fa8b720e1438b364681f2ad1a63c618448c9d0" 2387 | dependencies: 2388 | buffer-shims "^1.0.0" 2389 | core-util-is "~1.0.0" 2390 | inherits "~2.0.1" 2391 | isarray "~1.0.0" 2392 | process-nextick-args "~1.0.6" 2393 | string_decoder "~0.10.x" 2394 | util-deprecate "~1.0.1" 2395 | 2396 | readable-stream@~2.0.0: 2397 | version "2.0.6" 2398 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.0.6.tgz#8f90341e68a53ccc928788dacfcd11b36eb9b78e" 2399 | dependencies: 2400 | core-util-is "~1.0.0" 2401 | inherits "~2.0.1" 2402 | isarray "~1.0.0" 2403 | process-nextick-args "~1.0.6" 2404 | string_decoder "~0.10.x" 2405 | util-deprecate "~1.0.1" 2406 | 2407 | readdirp@^2.0.0: 2408 | version "2.1.0" 2409 | resolved "https://registry.yarnpkg.com/readdirp/-/readdirp-2.1.0.tgz#4ed0ad060df3073300c48440373f72d1cc642d78" 2410 | dependencies: 2411 | graceful-fs "^4.1.2" 2412 | minimatch "^3.0.2" 2413 | readable-stream "^2.0.2" 2414 | set-immediate-shim "^1.0.1" 2415 | 2416 | readline2@^1.0.1: 2417 | version "1.0.1" 2418 | resolved "https://registry.yarnpkg.com/readline2/-/readline2-1.0.1.tgz#41059608ffc154757b715d9989d199ffbf372e35" 2419 | dependencies: 2420 | code-point-at "^1.0.0" 2421 | is-fullwidth-code-point "^1.0.0" 2422 | mute-stream "0.0.5" 2423 | 2424 | redent@^1.0.0: 2425 | version "1.0.0" 2426 | resolved "https://registry.yarnpkg.com/redent/-/redent-1.0.0.tgz#cf916ab1fd5f1f16dfb20822dd6ec7f730c2afde" 2427 | dependencies: 2428 | indent-string "^2.1.0" 2429 | strip-indent "^1.0.1" 2430 | 2431 | regenerate@^1.2.1: 2432 | version "1.3.1" 2433 | resolved "https://registry.yarnpkg.com/regenerate/-/regenerate-1.3.1.tgz#0300203a5d2fdcf89116dce84275d011f5903f33" 2434 | 2435 | regenerator-runtime@^0.9.5: 2436 | version "0.9.5" 2437 | resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.9.5.tgz#403d6d40a4bdff9c330dd9392dcbb2d9a8bba1fc" 2438 | 2439 | regex-cache@^0.4.2: 2440 | version "0.4.3" 2441 | resolved "https://registry.yarnpkg.com/regex-cache/-/regex-cache-0.4.3.tgz#9b1a6c35d4d0dfcef5711ae651e8e9d3d7114145" 2442 | dependencies: 2443 | is-equal-shallow "^0.1.3" 2444 | is-primitive "^2.0.0" 2445 | 2446 | regexpu-core@^2.0.0: 2447 | version "2.0.0" 2448 | resolved "https://registry.yarnpkg.com/regexpu-core/-/regexpu-core-2.0.0.tgz#49d038837b8dcf8bfa5b9a42139938e6ea2ae240" 2449 | dependencies: 2450 | regenerate "^1.2.1" 2451 | regjsgen "^0.2.0" 2452 | regjsparser "^0.1.4" 2453 | 2454 | regjsgen@^0.2.0: 2455 | version "0.2.0" 2456 | resolved "https://registry.yarnpkg.com/regjsgen/-/regjsgen-0.2.0.tgz#6c016adeac554f75823fe37ac05b92d5a4edb1f7" 2457 | 2458 | regjsparser@^0.1.4: 2459 | version "0.1.5" 2460 | resolved "https://registry.yarnpkg.com/regjsparser/-/regjsparser-0.1.5.tgz#7ee8f84dc6fa792d3fd0ae228d24bd949ead205c" 2461 | dependencies: 2462 | jsesc "~0.5.0" 2463 | 2464 | repeat-element@^1.1.2: 2465 | version "1.1.2" 2466 | resolved "https://registry.yarnpkg.com/repeat-element/-/repeat-element-1.1.2.tgz#ef089a178d1483baae4d93eb98b4f9e4e11d990a" 2467 | 2468 | repeat-string@^1.5.2: 2469 | version "1.6.1" 2470 | resolved "https://registry.yarnpkg.com/repeat-string/-/repeat-string-1.6.1.tgz#8dcae470e1c88abc2d600fff4a776286da75e637" 2471 | 2472 | repeating@^2.0.0: 2473 | version "2.0.1" 2474 | resolved "https://registry.yarnpkg.com/repeating/-/repeating-2.0.1.tgz#5214c53a926d3552707527fbab415dbc08d06dda" 2475 | dependencies: 2476 | is-finite "^1.0.0" 2477 | 2478 | request@^2.65.0, request@^2.75.0: 2479 | version "2.76.0" 2480 | resolved "https://registry.yarnpkg.com/request/-/request-2.76.0.tgz#be44505afef70360a0436955106be3945d95560e" 2481 | dependencies: 2482 | aws-sign2 "~0.6.0" 2483 | aws4 "^1.2.1" 2484 | caseless "~0.11.0" 2485 | combined-stream "~1.0.5" 2486 | extend "~3.0.0" 2487 | forever-agent "~0.6.1" 2488 | form-data "~2.1.1" 2489 | har-validator "~2.0.6" 2490 | hawk "~3.1.3" 2491 | http-signature "~1.1.0" 2492 | is-typedarray "~1.0.0" 2493 | isstream "~0.1.2" 2494 | json-stringify-safe "~5.0.1" 2495 | mime-types "~2.1.7" 2496 | node-uuid "~1.4.7" 2497 | oauth-sign "~0.8.1" 2498 | qs "~6.3.0" 2499 | stringstream "~0.0.4" 2500 | tough-cookie "~2.3.0" 2501 | tunnel-agent "~0.4.1" 2502 | 2503 | require-uncached@^1.0.2: 2504 | version "1.0.2" 2505 | resolved "https://registry.yarnpkg.com/require-uncached/-/require-uncached-1.0.2.tgz#67dad3b733089e77030124678a459589faf6a7ec" 2506 | dependencies: 2507 | caller-path "^0.1.0" 2508 | resolve-from "^1.0.0" 2509 | 2510 | resolve-from@^1.0.0: 2511 | version "1.0.1" 2512 | resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-1.0.1.tgz#26cbfe935d1aeeeabb29bc3fe5aeb01e93d44226" 2513 | 2514 | resolve@^1.1.6: 2515 | version "1.1.7" 2516 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.1.7.tgz#203114d82ad2c5ed9e8e0411b3932875e889e97b" 2517 | 2518 | restore-cursor@^1.0.1: 2519 | version "1.0.1" 2520 | resolved "https://registry.yarnpkg.com/restore-cursor/-/restore-cursor-1.0.1.tgz#34661f46886327fed2991479152252df92daa541" 2521 | dependencies: 2522 | exit-hook "^1.0.0" 2523 | onetime "^1.0.0" 2524 | 2525 | rimraf@^2.2.8, rimraf@~2.5.1, rimraf@~2.5.4, rimraf@2: 2526 | version "2.5.4" 2527 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.5.4.tgz#96800093cbf1a0c86bd95b4625467535c29dfa04" 2528 | dependencies: 2529 | glob "^7.0.5" 2530 | 2531 | run-async@^0.1.0: 2532 | version "0.1.0" 2533 | resolved "https://registry.yarnpkg.com/run-async/-/run-async-0.1.0.tgz#c8ad4a5e110661e402a7d21b530e009f25f8e389" 2534 | dependencies: 2535 | once "^1.3.0" 2536 | 2537 | rx-lite@^3.1.2: 2538 | version "3.1.2" 2539 | resolved "https://registry.yarnpkg.com/rx-lite/-/rx-lite-3.1.2.tgz#19ce502ca572665f3b647b10939f97fd1615f102" 2540 | 2541 | semver-regex@^1.0.0: 2542 | version "1.0.0" 2543 | resolved "https://registry.yarnpkg.com/semver-regex/-/semver-regex-1.0.0.tgz#92a4969065f9c70c694753d55248fc68f8f652c9" 2544 | 2545 | semver-truncate@^1.0.0: 2546 | version "1.1.2" 2547 | resolved "https://registry.yarnpkg.com/semver-truncate/-/semver-truncate-1.1.2.tgz#57f41de69707a62709a7e0104ba2117109ea47e8" 2548 | dependencies: 2549 | semver "^5.3.0" 2550 | 2551 | semver@^4.0.3: 2552 | version "4.3.6" 2553 | resolved "https://registry.yarnpkg.com/semver/-/semver-4.3.6.tgz#300bc6e0e86374f7ba61068b5b1ecd57fc6532da" 2554 | 2555 | semver@^5.3.0, semver@~5.3.0, "semver@2 || 3 || 4 || 5": 2556 | version "5.3.0" 2557 | resolved "https://registry.yarnpkg.com/semver/-/semver-5.3.0.tgz#9b2ce5d3de02d17c6012ad326aa6b4d0cf54f94f" 2558 | 2559 | set-blocking@~2.0.0: 2560 | version "2.0.0" 2561 | resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7" 2562 | 2563 | set-immediate-shim@^1.0.1: 2564 | version "1.0.1" 2565 | resolved "https://registry.yarnpkg.com/set-immediate-shim/-/set-immediate-shim-1.0.1.tgz#4b2b1b27eb808a9f8dcc481a58e5e56f599f3f61" 2566 | 2567 | shebang-regex@^1.0.0: 2568 | version "1.0.0" 2569 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-1.0.0.tgz#da42f49740c0b42db2ca9728571cb190c98efea3" 2570 | 2571 | shelljs@^0.6.0: 2572 | version "0.6.1" 2573 | resolved "https://registry.yarnpkg.com/shelljs/-/shelljs-0.6.1.tgz#ec6211bed1920442088fe0f70b2837232ed2c8a8" 2574 | 2575 | sigmund@~1.0.0: 2576 | version "1.0.1" 2577 | resolved "https://registry.yarnpkg.com/sigmund/-/sigmund-1.0.1.tgz#3ff21f198cad2175f9f3b781853fd94d0d19b590" 2578 | 2579 | signal-exit@^3.0.0: 2580 | version "3.0.1" 2581 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.1.tgz#5a4c884992b63a7acd9badb7894c3ee9cfccad81" 2582 | 2583 | slash@^1.0.0: 2584 | version "1.0.0" 2585 | resolved "https://registry.yarnpkg.com/slash/-/slash-1.0.0.tgz#c41f2f6c39fc16d1cd17ad4b5d896114ae470d55" 2586 | 2587 | slice-ansi@0.0.4: 2588 | version "0.0.4" 2589 | resolved "https://registry.yarnpkg.com/slice-ansi/-/slice-ansi-0.0.4.tgz#edbf8903f66f7ce2f8eafd6ceed65e264c831b35" 2590 | 2591 | sntp@1.x.x: 2592 | version "1.0.9" 2593 | resolved "https://registry.yarnpkg.com/sntp/-/sntp-1.0.9.tgz#6541184cc90aeea6c6e7b35e2659082443c66198" 2594 | dependencies: 2595 | hoek "2.x.x" 2596 | 2597 | source-map-support@^0.4.2: 2598 | version "0.4.5" 2599 | resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.4.5.tgz#4438df4219e1b3c7feb674614b4c67f9722db1e4" 2600 | dependencies: 2601 | source-map "^0.5.3" 2602 | 2603 | source-map@^0.5.0, source-map@^0.5.3: 2604 | version "0.5.6" 2605 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.5.6.tgz#75ce38f52bf0733c5a7f0c118d81334a2bb5f412" 2606 | 2607 | spdx-correct@~1.0.0: 2608 | version "1.0.2" 2609 | resolved "https://registry.yarnpkg.com/spdx-correct/-/spdx-correct-1.0.2.tgz#4b3073d933ff51f3912f03ac5519498a4150db40" 2610 | dependencies: 2611 | spdx-license-ids "^1.0.2" 2612 | 2613 | spdx-expression-parse@~1.0.0: 2614 | version "1.0.4" 2615 | resolved "https://registry.yarnpkg.com/spdx-expression-parse/-/spdx-expression-parse-1.0.4.tgz#9bdf2f20e1f40ed447fbe273266191fced51626c" 2616 | 2617 | spdx-license-ids@^1.0.2: 2618 | version "1.2.2" 2619 | resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-1.2.2.tgz#c9df7a3424594ade6bd11900d596696dc06bac57" 2620 | 2621 | sprintf-js@~1.0.2: 2622 | version "1.0.3" 2623 | resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.0.3.tgz#04e6926f662895354f3dd015203633b857297e2c" 2624 | 2625 | sshpk@^1.7.0: 2626 | version "1.10.1" 2627 | resolved "https://registry.yarnpkg.com/sshpk/-/sshpk-1.10.1.tgz#30e1a5d329244974a1af61511339d595af6638b0" 2628 | dependencies: 2629 | asn1 "~0.2.3" 2630 | assert-plus "^1.0.0" 2631 | dashdash "^1.12.0" 2632 | getpass "^0.1.1" 2633 | optionalDependencies: 2634 | bcrypt-pbkdf "^1.0.0" 2635 | ecc-jsbn "~0.1.1" 2636 | jodid25519 "^1.0.0" 2637 | jsbn "~0.1.0" 2638 | tweetnacl "~0.14.0" 2639 | 2640 | string_decoder@~0.10.x: 2641 | version "0.10.31" 2642 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-0.10.31.tgz#62e203bc41766c6c28c9fc84301dab1c5310fa94" 2643 | 2644 | string-width@^1.0.1: 2645 | version "1.0.2" 2646 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-1.0.2.tgz#118bdf5b8cdc51a2a7e70d211e07e2b0b9b107d3" 2647 | dependencies: 2648 | code-point-at "^1.0.0" 2649 | is-fullwidth-code-point "^1.0.0" 2650 | strip-ansi "^3.0.0" 2651 | 2652 | string-width@^2.0.0: 2653 | version "2.0.0" 2654 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-2.0.0.tgz#635c5436cc72a6e0c387ceca278d4e2eec52687e" 2655 | dependencies: 2656 | is-fullwidth-code-point "^2.0.0" 2657 | strip-ansi "^3.0.0" 2658 | 2659 | stringstream@~0.0.4: 2660 | version "0.0.5" 2661 | resolved "https://registry.yarnpkg.com/stringstream/-/stringstream-0.0.5.tgz#4e484cd4de5a0bbbee18e46307710a8a81621878" 2662 | 2663 | strip-ansi@^3.0.0, strip-ansi@^3.0.1: 2664 | version "3.0.1" 2665 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-3.0.1.tgz#6a385fb8853d952d5ff05d0e8aaf94278dc63dcf" 2666 | dependencies: 2667 | ansi-regex "^2.0.0" 2668 | 2669 | strip-bom@^2.0.0: 2670 | version "2.0.0" 2671 | resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-2.0.0.tgz#6219a85616520491f35788bdbf1447a99c7e6b0e" 2672 | dependencies: 2673 | is-utf8 "^0.2.0" 2674 | 2675 | strip-indent@^1.0.1: 2676 | version "1.0.1" 2677 | resolved "https://registry.yarnpkg.com/strip-indent/-/strip-indent-1.0.1.tgz#0c7962a6adefa7bbd4ac366460a638552ae1a0a2" 2678 | dependencies: 2679 | get-stdin "^4.0.1" 2680 | 2681 | strip-json-comments@~1.0.1, strip-json-comments@~1.0.4: 2682 | version "1.0.4" 2683 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-1.0.4.tgz#1e15fbcac97d3ee99bf2d73b4c656b082bbafb91" 2684 | 2685 | supports-color@^2.0.0: 2686 | version "2.0.0" 2687 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-2.0.0.tgz#535d045ce6b6363fa40117084629995e9df324c7" 2688 | 2689 | supports-color@1.2.0: 2690 | version "1.2.0" 2691 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-1.2.0.tgz#ff1ed1e61169d06b3cf2d588e188b18d8847e17e" 2692 | 2693 | table@^3.7.8: 2694 | version "3.8.3" 2695 | resolved "https://registry.yarnpkg.com/table/-/table-3.8.3.tgz#2bbc542f0fda9861a755d3947fefd8b3f513855f" 2696 | dependencies: 2697 | ajv "^4.7.0" 2698 | ajv-keywords "^1.0.0" 2699 | chalk "^1.1.1" 2700 | lodash "^4.0.0" 2701 | slice-ansi "0.0.4" 2702 | string-width "^2.0.0" 2703 | 2704 | tar-pack@~3.3.0: 2705 | version "3.3.0" 2706 | resolved "https://registry.yarnpkg.com/tar-pack/-/tar-pack-3.3.0.tgz#30931816418f55afc4d21775afdd6720cee45dae" 2707 | dependencies: 2708 | debug "~2.2.0" 2709 | fstream "~1.0.10" 2710 | fstream-ignore "~1.0.5" 2711 | once "~1.3.3" 2712 | readable-stream "~2.1.4" 2713 | rimraf "~2.5.1" 2714 | tar "~2.2.1" 2715 | uid-number "~0.0.6" 2716 | 2717 | tar@~2.2.1: 2718 | version "2.2.1" 2719 | resolved "https://registry.yarnpkg.com/tar/-/tar-2.2.1.tgz#8e4d2a256c0e2185c6b18ad694aec968b83cb1d1" 2720 | dependencies: 2721 | block-stream "*" 2722 | fstream "^1.0.2" 2723 | inherits "2" 2724 | 2725 | text-table@~0.2.0: 2726 | version "0.2.0" 2727 | resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4" 2728 | 2729 | through@^2.3.6: 2730 | version "2.3.8" 2731 | resolved "https://registry.yarnpkg.com/through/-/through-2.3.8.tgz#0dd4c9ffaabc357960b1b724115d7e0e86a2e1f5" 2732 | 2733 | to-fast-properties@^1.0.1: 2734 | version "1.0.2" 2735 | resolved "https://registry.yarnpkg.com/to-fast-properties/-/to-fast-properties-1.0.2.tgz#f3f5c0c3ba7299a7ef99427e44633257ade43320" 2736 | 2737 | to-iso-string@0.0.2: 2738 | version "0.0.2" 2739 | resolved "https://registry.yarnpkg.com/to-iso-string/-/to-iso-string-0.0.2.tgz#4dc19e664dfccbe25bd8db508b00c6da158255d1" 2740 | 2741 | tough-cookie@~2.3.0: 2742 | version "2.3.2" 2743 | resolved "https://registry.yarnpkg.com/tough-cookie/-/tough-cookie-2.3.2.tgz#f081f76e4c85720e6c37a5faced737150d84072a" 2744 | dependencies: 2745 | punycode "^1.4.1" 2746 | 2747 | trim-newlines@^1.0.0: 2748 | version "1.0.0" 2749 | resolved "https://registry.yarnpkg.com/trim-newlines/-/trim-newlines-1.0.0.tgz#5887966bb582a4503a41eb524f7d35011815a613" 2750 | 2751 | tryit@^1.0.1: 2752 | version "1.0.2" 2753 | resolved "https://registry.yarnpkg.com/tryit/-/tryit-1.0.2.tgz#c196b0073e6b1c595d93c9c830855b7acc32a453" 2754 | 2755 | tunnel-agent@~0.4.1: 2756 | version "0.4.3" 2757 | resolved "https://registry.yarnpkg.com/tunnel-agent/-/tunnel-agent-0.4.3.tgz#6373db76909fe570e08d73583365ed828a74eeeb" 2758 | 2759 | tweetnacl@^0.14.3, tweetnacl@~0.14.0: 2760 | version "0.14.3" 2761 | resolved "https://registry.yarnpkg.com/tweetnacl/-/tweetnacl-0.14.3.tgz#3da382f670f25ded78d7b3d1792119bca0b7132d" 2762 | 2763 | type-check@~0.3.2: 2764 | version "0.3.2" 2765 | resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.3.2.tgz#5884cab512cf1d355e3fb784f30804b2b520db72" 2766 | dependencies: 2767 | prelude-ls "~1.1.2" 2768 | 2769 | type-detect@^1.0.0: 2770 | version "1.0.0" 2771 | resolved "https://registry.yarnpkg.com/type-detect/-/type-detect-1.0.0.tgz#762217cc06db258ec48908a1298e8b95121e8ea2" 2772 | 2773 | type-detect@0.1.1: 2774 | version "0.1.1" 2775 | resolved "https://registry.yarnpkg.com/type-detect/-/type-detect-0.1.1.tgz#0ba5ec2a885640e470ea4e8505971900dac58822" 2776 | 2777 | typedarray@~0.0.5: 2778 | version "0.0.6" 2779 | resolved "https://registry.yarnpkg.com/typedarray/-/typedarray-0.0.6.tgz#867ac74e3864187b1d3d47d996a78ec5c8830777" 2780 | 2781 | ua-parser-js@^0.7.9: 2782 | version "0.7.10" 2783 | resolved "https://registry.yarnpkg.com/ua-parser-js/-/ua-parser-js-0.7.10.tgz#917559ddcce07cbc09ece7d80495e4c268f4ef9f" 2784 | 2785 | uid-number@~0.0.6: 2786 | version "0.0.6" 2787 | resolved "https://registry.yarnpkg.com/uid-number/-/uid-number-0.0.6.tgz#0ea10e8035e8eb5b8e4449f06da1c730663baa81" 2788 | 2789 | user-home@^1.1.1: 2790 | version "1.1.1" 2791 | resolved "https://registry.yarnpkg.com/user-home/-/user-home-1.1.1.tgz#2b5be23a32b63a7c9deb8d0f28d485724a3df190" 2792 | 2793 | user-home@^2.0.0: 2794 | version "2.0.0" 2795 | resolved "https://registry.yarnpkg.com/user-home/-/user-home-2.0.0.tgz#9c70bfd8169bc1dcbf48604e0f04b8b49cde9e9f" 2796 | dependencies: 2797 | os-homedir "^1.0.0" 2798 | 2799 | util-deprecate@~1.0.1: 2800 | version "1.0.2" 2801 | resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf" 2802 | 2803 | v8flags@^2.0.10: 2804 | version "2.0.11" 2805 | resolved "https://registry.yarnpkg.com/v8flags/-/v8flags-2.0.11.tgz#bca8f30f0d6d60612cc2c00641e6962d42ae6881" 2806 | dependencies: 2807 | user-home "^1.1.1" 2808 | 2809 | validate-npm-package-license@^3.0.1: 2810 | version "3.0.1" 2811 | resolved "https://registry.yarnpkg.com/validate-npm-package-license/-/validate-npm-package-license-3.0.1.tgz#2804babe712ad3379459acfbe24746ab2c303fbc" 2812 | dependencies: 2813 | spdx-correct "~1.0.0" 2814 | spdx-expression-parse "~1.0.0" 2815 | 2816 | verror@1.3.6: 2817 | version "1.3.6" 2818 | resolved "https://registry.yarnpkg.com/verror/-/verror-1.3.6.tgz#cff5df12946d297d2baaefaa2689e25be01c005c" 2819 | dependencies: 2820 | extsprintf "1.0.2" 2821 | 2822 | whatwg-fetch@>=0.10.0: 2823 | version "1.0.0" 2824 | resolved "https://registry.yarnpkg.com/whatwg-fetch/-/whatwg-fetch-1.0.0.tgz#01c2ac4df40e236aaa18480e3be74bd5c8eb798e" 2825 | 2826 | wide-align@^1.1.0: 2827 | version "1.1.0" 2828 | resolved "https://registry.yarnpkg.com/wide-align/-/wide-align-1.1.0.tgz#40edde802a71fea1f070da3e62dcda2e7add96ad" 2829 | dependencies: 2830 | string-width "^1.0.1" 2831 | 2832 | wordwrap@~1.0.0: 2833 | version "1.0.0" 2834 | resolved "https://registry.yarnpkg.com/wordwrap/-/wordwrap-1.0.0.tgz#27584810891456a4171c8d0226441ade90cbcaeb" 2835 | 2836 | wrappy@1: 2837 | version "1.0.2" 2838 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" 2839 | 2840 | write@^0.2.1: 2841 | version "0.2.1" 2842 | resolved "https://registry.yarnpkg.com/write/-/write-0.2.1.tgz#5fc03828e264cea3fe91455476f7a3c566cb0757" 2843 | dependencies: 2844 | mkdirp "^0.5.1" 2845 | 2846 | xtend@^4.0.0: 2847 | version "4.0.1" 2848 | resolved "https://registry.yarnpkg.com/xtend/-/xtend-4.0.1.tgz#a5c6d532be656e23db820efb943a1f04998d63af" 2849 | --------------------------------------------------------------------------------