├── examples
└── navigation-react-redux
│ ├── .gitignore
│ ├── .babelrc
│ ├── README.md
│ ├── containers
│ ├── App.js
│ ├── Admin.js
│ ├── ReposByUser.js
│ └── UserSearch.js
│ ├── index.html
│ ├── reducers
│ ├── adminAccess.js
│ ├── searchInFlight.js
│ ├── userResults.js
│ ├── index.js
│ └── reposByUser.js
│ ├── components
│ ├── UserSearchInput.js
│ ├── Repos.js
│ └── UserSearchResults.js
│ ├── ActionTypes.js
│ ├── epics
│ ├── index.js
│ ├── clearSearchResults.js
│ ├── searchUsersDebounced.js
│ ├── adminAccess.js
│ ├── fetchReposByUser.js
│ └── searchUsers.js
│ ├── configureStore.js
│ ├── webpack.config.prod.babel.js
│ ├── actions
│ └── index.js
│ ├── webpack.config.dev.babel.js
│ ├── index.js
│ ├── package.json
│ └── yarn.lock
├── src
├── EPIC_END.js
├── select.js
├── combineEpics.js
├── selectArray.js
├── index.js
└── createEpicMiddleware.js
├── .gitignore
├── .babelrc
├── .eslintignore
├── webpack.config.dev.babel.js
├── webpack.config.prod.babel.js
├── index.d.ts
├── webpack.config.base.babel.js
├── tests
├── select.test.js
├── selectArray.test.js
└── combineEpics.test.js
├── LICENSE
├── .eslintrc.json
├── package.json
└── README.md
/examples/navigation-react-redux/.gitignore:
--------------------------------------------------------------------------------
1 | node_modules
2 | dist
3 |
--------------------------------------------------------------------------------
/src/EPIC_END.js:
--------------------------------------------------------------------------------
1 | export const EPIC_END = '@@redux-most/EPIC_END'
2 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | npm-debug.log
2 | node_modules
3 | lib
4 | es
5 | temp
6 | dist
7 | _book
8 |
--------------------------------------------------------------------------------
/.babelrc:
--------------------------------------------------------------------------------
1 | {
2 | "presets": ["latest", "stage-3", "react"],
3 | "plugins": []
4 | }
5 |
--------------------------------------------------------------------------------
/.eslintignore:
--------------------------------------------------------------------------------
1 | # /node_modules and /bower_components ignored by default
2 |
3 | dist/
4 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/.babelrc:
--------------------------------------------------------------------------------
1 | {
2 | "presets": ["latest", "stage-3", "react"],
3 | "plugins": []
4 | }
5 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/README.md:
--------------------------------------------------------------------------------
1 | #### Instructions
2 | ```
3 | npm install
4 | npm run start
5 | ```
6 | Then, open your browser and navigate to localhost:3000
7 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/containers/App.js:
--------------------------------------------------------------------------------
1 | import React from 'react'
2 |
3 | const App = ({ children }) =>
4 |
5 | {children}
6 |
7 |
8 | export default App
9 |
--------------------------------------------------------------------------------
/src/select.js:
--------------------------------------------------------------------------------
1 | import { filter } from 'most'
2 | import { curry2 } from '@most/prelude'
3 |
4 | export const select = curry2((actionType, stream) =>
5 | filter(({ type }) => type === actionType, stream))
6 |
--------------------------------------------------------------------------------
/src/combineEpics.js:
--------------------------------------------------------------------------------
1 | import { mergeArray } from 'most'
2 | import { map } from '@most/prelude'
3 |
4 | export const combineEpics = (...epics) => (actions, store) =>
5 | mergeArray(map(epic => epic(actions, store), epics))
6 |
--------------------------------------------------------------------------------
/src/selectArray.js:
--------------------------------------------------------------------------------
1 | import { filter } from 'most'
2 | import { curry2, findIndex } from '@most/prelude'
3 |
4 | export const selectArray = curry2((actionTypes, stream) =>
5 | filter(({ type }) => findIndex(type, actionTypes) !== -1, stream))
6 |
--------------------------------------------------------------------------------
/src/index.js:
--------------------------------------------------------------------------------
1 | export { createEpicMiddleware } from './createEpicMiddleware'
2 | export { select } from './select'
3 | export { selectArray } from './selectArray'
4 | export { combineEpics } from './combineEpics'
5 | export { EPIC_END } from './EPIC_END'
6 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/index.html:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 | Example navigation app using redux-most
5 |
6 |
7 |
8 |
9 |
10 |
11 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/reducers/adminAccess.js:
--------------------------------------------------------------------------------
1 | import * as ActionTypes from '../ActionTypes'
2 |
3 | const DENIED = 'DENIED'
4 |
5 | const adminAccess = (state = null, action) => {
6 | switch (action.type) {
7 | case ActionTypes.ACCESS_DENIED:
8 | return DENIED
9 | default:
10 | return state
11 | }
12 | }
13 |
14 | export default adminAccess
15 |
--------------------------------------------------------------------------------
/webpack.config.dev.babel.js:
--------------------------------------------------------------------------------
1 | import webpack from 'webpack'
2 | import baseConfig from './webpack.config.base.babel'
3 |
4 | const config = {
5 | ...baseConfig,
6 | plugins: [
7 | new webpack.DefinePlugin({
8 | process: {
9 | env: {
10 | NODE_ENV: JSON.stringify('development'),
11 | },
12 | },
13 | }),
14 | ],
15 | }
16 |
17 | export default config
18 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/components/UserSearchInput.js:
--------------------------------------------------------------------------------
1 | import React from 'react'
2 |
3 | const UserSearchInput = ({ value, defaultValue, onChange }) => {
4 | const handleOnChange = evt => onChange(evt.target.value)
5 | return (
6 |
12 | )
13 | }
14 |
15 | export default UserSearchInput
16 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/reducers/searchInFlight.js:
--------------------------------------------------------------------------------
1 | import * as ActionTypes from '../ActionTypes'
2 |
3 | const searchInFlight = (state = false, action) => {
4 | switch (action.type) {
5 | case ActionTypes.SEARCHED_USERS_DEBOUNCED:
6 | return true
7 | case ActionTypes.RECEIVED_USERS:
8 | case ActionTypes.CLEARED_SEARCH_RESULTS:
9 | return false
10 | default:
11 | return state
12 | }
13 | }
14 |
15 | export default searchInFlight
16 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/reducers/userResults.js:
--------------------------------------------------------------------------------
1 | import * as ActionTypes from '../ActionTypes'
2 |
3 | const initialState = []
4 |
5 | const userResults = (state = initialState, action) => {
6 | switch (action.type) {
7 | case ActionTypes.RECEIVED_USERS:
8 | return action.payload.users
9 | case ActionTypes.CLEARED_SEARCH_RESULTS:
10 | return initialState
11 | default:
12 | return state
13 | }
14 | }
15 |
16 | export default userResults
17 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/components/Repos.js:
--------------------------------------------------------------------------------
1 | import React from 'react'
2 |
3 | const Repos = ({ repos, user }) =>
4 |
19 |
20 | export default Repos
21 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/components/UserSearchResults.js:
--------------------------------------------------------------------------------
1 | import React from 'react'
2 | import { Link } from 'react-router'
3 |
4 | const UserSearchResults = ({ results, loading }) =>
5 |
8 | {results.map(result => (
9 | -
10 |
11 | {result.login}
12 |
13 |
14 | ))}
15 |
16 |
17 | export default UserSearchResults
18 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/ActionTypes.js:
--------------------------------------------------------------------------------
1 | export const SEARCHED_USERS_DEBOUNCED = 'SEARCHED_USERS_DEBOUNCED'
2 | export const SEARCHED_USERS = 'SEARCHED_USERS'
3 | export const RECEIVED_USERS = 'RECEIVED_USERS'
4 | export const CLEARED_SEARCH_RESULTS = 'CLEARED_SEARCH_RESULTS'
5 |
6 | export const REQUESTED_USER_REPOS = 'REQUESTED_USER_REPOS'
7 | export const RECEIVED_USER_REPOS = 'RECEIVED_USER_REPOS'
8 |
9 | export const CHECKED_ADMIN_ACCESS = 'CHECKED_ADMIN_ACCESS'
10 | export const ACCESS_DENIED = 'ACCESS_DENIED'
11 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/reducers/index.js:
--------------------------------------------------------------------------------
1 | import { combineReducers } from 'redux'
2 | import { routerReducer } from 'react-router-redux'
3 | import userResults from './userResults'
4 | import searchInFlight from './searchInFlight'
5 | import reposByUser from './reposByUser'
6 | import adminAccess from './adminAccess'
7 |
8 | const rootReducer = combineReducers({
9 | userResults,
10 | searchInFlight,
11 | reposByUser,
12 | adminAccess,
13 | routing: routerReducer,
14 | })
15 |
16 | export default rootReducer
17 |
--------------------------------------------------------------------------------
/webpack.config.prod.babel.js:
--------------------------------------------------------------------------------
1 | import webpack from 'webpack'
2 | import baseConfig from './webpack.config.base.babel'
3 |
4 | const config = {
5 | ...baseConfig,
6 | plugins: [
7 | new webpack.DefinePlugin({
8 | process: {
9 | env: {
10 | NODE_ENV: JSON.stringify('production'),
11 | },
12 | },
13 | }),
14 | new webpack.optimize.UglifyJsPlugin({
15 | compressor: {
16 | screw_ie8: true,
17 | warnings: false,
18 | },
19 | }),
20 | ],
21 | }
22 |
23 | export default config
24 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/reducers/reposByUser.js:
--------------------------------------------------------------------------------
1 | import * as ActionTypes from '../ActionTypes'
2 |
3 | const reposByUser = (state = {}, action) => {
4 | switch (action.type) {
5 | case ActionTypes.REQUESTED_USER_REPOS:
6 | return Object.assign({}, state, {
7 | [action.payload.user]: undefined,
8 | })
9 | case ActionTypes.RECEIVED_USER_REPOS:
10 | return Object.assign({}, state, {
11 | [action.payload.user]: action.payload.repos,
12 | })
13 | default:
14 | return state
15 | }
16 | }
17 |
18 | export default reposByUser
19 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/epics/index.js:
--------------------------------------------------------------------------------
1 | import { combineEpics } from 'redux-most'
2 | // import { combineEpics } from '../../../src/index'
3 | import searchUsersDebounced from './searchUsersDebounced'
4 | import searchUsers from './searchUsers'
5 | import clearSearchResults from './clearSearchResults'
6 | import fetchReposByUser from './fetchReposByUser'
7 | import adminAccess from './adminAccess'
8 |
9 | const rootEpic = combineEpics(
10 | searchUsersDebounced,
11 | searchUsers,
12 | clearSearchResults,
13 | fetchReposByUser,
14 | adminAccess
15 | )
16 |
17 | export default rootEpic
18 |
--------------------------------------------------------------------------------
/index.d.ts:
--------------------------------------------------------------------------------
1 | import { Middleware, MiddlewareAPI } from 'redux';
2 | import { Stream } from 'most';
3 |
4 | export declare interface Epic {
5 | (action$: Stream, store: MiddlewareAPI): Stream;
6 | }
7 |
8 | export interface EpicMiddleware extends Middleware {
9 | replaceEpic (nextEpic: Epic): void;
10 | }
11 |
12 | export declare function createEpicMiddleware (rootEpic: Epic): EpicMiddleware;
13 |
14 | export declare function combineEpics (...epics: Epic[]): Epic;
15 |
16 | export declare function select (actionType: string, stream: Stream): Stream;
17 |
18 | export declare function selectArray (actionTypes: Array, stream: Stream): Stream;
19 |
--------------------------------------------------------------------------------
/webpack.config.base.babel.js:
--------------------------------------------------------------------------------
1 | const config = {
2 | module: {
3 | rules: [
4 | {
5 | test: /\.js$/,
6 | use: ['babel-loader'],
7 | exclude: /node_modules/,
8 | },
9 | ],
10 | },
11 | output: {
12 | library: 'ReduxMost',
13 | libraryTarget: 'umd',
14 | },
15 | externals: {
16 | most: {
17 | root: 'Most',
18 | commonjs2: 'most',
19 | commonjs: 'most',
20 | amd: 'most',
21 | },
22 | redux: {
23 | root: 'Redux',
24 | commonjs2: 'redux',
25 | commonjs: 'redux',
26 | amd: 'redux',
27 | },
28 | },
29 | resolve: {
30 | extensions: ['.js'],
31 | },
32 | }
33 |
34 | export default config
35 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/epics/clearSearchResults.js:
--------------------------------------------------------------------------------
1 | import * as ActionTypes from '../ActionTypes'
2 | import { clearSearchResults } from '../actions'
3 | import { select } from 'redux-most'
4 | // import { select } from '../../../src/index'
5 | import { map, filter } from 'most'
6 |
7 | // Fluent style
8 | // const clear = action$ =>
9 | // action$.thru(select(ActionTypes.SEARCHED_USERS_DEBOUNCED))
10 | // .filter(({ payload }) => !payload.query)
11 | // .map(clearSearchResults)
12 |
13 | // Functional style
14 | const clear = action$ => {
15 | const search$ = select(ActionTypes.SEARCHED_USERS_DEBOUNCED, action$)
16 | const emptySearch$ = filter(action => !action.payload.query, search$)
17 | return map(clearSearchResults, emptySearch$)
18 | }
19 |
20 | export default clear
21 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/containers/Admin.js:
--------------------------------------------------------------------------------
1 | import React from 'react'
2 | import { connect } from 'react-redux'
3 | import { checkAdminAccess } from '../actions'
4 |
5 | class Admin extends React.Component {
6 | componentDidMount () {
7 | this.props.checkAdminAccess()
8 | }
9 |
10 | render () {
11 | if (!this.props.adminAccess) {
12 | return (
13 | Checking access...
14 | )
15 | }
16 | if (this.props.adminAccess === 'GRANTED') {
17 | return (
18 | Access granted
19 | )
20 | }
21 | return (
22 |
23 | Access denied. Redirecting back home.
24 |
25 | )
26 | }
27 | }
28 |
29 | export default connect(
30 | ({ adminAccess }) => ({ adminAccess }),
31 | { checkAdminAccess }
32 | )(Admin)
33 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/configureStore.js:
--------------------------------------------------------------------------------
1 | import { createStore, applyMiddleware, compose } from 'redux'
2 | // import { createEpicMiddleware } from 'redux-most'
3 | import { createEpicMiddleware } from '../../src'
4 | import { browserHistory } from 'react-router'
5 | import { routerMiddleware } from 'react-router-redux'
6 | import rootReducer from './reducers'
7 | import rootEpic from './epics'
8 |
9 | const epicMiddleware = createEpicMiddleware(rootEpic)
10 |
11 | const middleware = [
12 | epicMiddleware,
13 | routerMiddleware(browserHistory),
14 | ]
15 |
16 | const storeEnhancers = compose(
17 | applyMiddleware(...middleware),
18 | window.devToolsExtension ? window.devToolsExtension() : f => f
19 | )
20 |
21 | const configureStore = _ => createStore(rootReducer, storeEnhancers)
22 |
23 | export default configureStore
24 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/epics/searchUsersDebounced.js:
--------------------------------------------------------------------------------
1 | import * as ActionTypes from '../ActionTypes'
2 | import { searchedUsers } from '../actions'
3 | import { select } from 'redux-most'
4 | // import { select } from '../../../src/index'
5 | import { map, debounce } from 'most'
6 |
7 | // Fluent style
8 | // const searchUsersDebounced = action$ =>
9 | // action$.thru(select(ActionTypes.SEARCHED_USERS_DEBOUNCED))
10 | // .debounce(800)
11 | // .map(({ payload }) => searchedUsers(payload.query))
12 |
13 | // Functional style
14 | const searchUsersDebounced = action$ => {
15 | const search$ = select(ActionTypes.SEARCHED_USERS_DEBOUNCED, action$)
16 | const debouncedSearch$ = debounce(800, search$)
17 | return map(({ payload }) => searchedUsers(payload.query), debouncedSearch$)
18 | }
19 |
20 | export default searchUsersDebounced
21 |
--------------------------------------------------------------------------------
/tests/select.test.js:
--------------------------------------------------------------------------------
1 | import test from 'ava'
2 | import { observe } from 'most'
3 | import { sync } from 'most-subject'
4 | import { select } from '../src/'
5 |
6 | test('select should filter by action type', t => {
7 | const actions$ = sync()
8 | const lulz = []
9 | const haha = []
10 |
11 | observe(x => lulz.push(x), select('LULZ', actions$))
12 | observe(x => haha.push(x), select('HAHA', actions$))
13 |
14 | actions$.next({ type: 'LULZ', i: 0 })
15 |
16 | t.deepEqual([{ type: 'LULZ', i: 0 }], lulz)
17 | t.deepEqual([], haha)
18 |
19 | actions$.next({ type: 'LULZ', i: 1 })
20 |
21 | t.deepEqual([{ type: 'LULZ', i: 0 }, { type: 'LULZ', i: 1 }], lulz)
22 | t.deepEqual([], haha)
23 |
24 | actions$.next({ type: 'HAHA', i: 0 })
25 |
26 | t.deepEqual([{ type: 'LULZ', i: 0 }, { type: 'LULZ', i: 1 }], lulz)
27 | t.deepEqual([{ type: 'HAHA', i: 0 }], haha)
28 | })
29 |
--------------------------------------------------------------------------------
/tests/selectArray.test.js:
--------------------------------------------------------------------------------
1 | import test from 'ava'
2 | import { observe } from 'most'
3 | import { sync } from 'most-subject'
4 | import { selectArray } from '../src/'
5 |
6 | test('selectArray should filter by multiple action types', t => {
7 | const actions$ = sync()
8 | const lulz = []
9 | const haha = []
10 |
11 | observe(x => lulz.push(x), selectArray(['LULZ', 'LMFAO'], actions$))
12 | observe(x => haha.push(x), selectArray(['HAHA'], actions$))
13 |
14 | actions$.next({ type: 'LULZ', i: 0 })
15 |
16 | t.deepEqual([{ type: 'LULZ', i: 0 }], lulz)
17 | t.deepEqual([], haha)
18 |
19 | actions$.next({ type: 'LMFAO', i: 1 })
20 |
21 | t.deepEqual([{ type: 'LULZ', i: 0 }, { type: 'LMFAO', i: 1 }], lulz)
22 | t.deepEqual([], haha)
23 |
24 | actions$.next({ type: 'HAHA', i: 0 })
25 |
26 | t.deepEqual([{ type: 'LULZ', i: 0 }, { type: 'LMFAO', i: 1 }], lulz)
27 | t.deepEqual([{ type: 'HAHA', i: 0 }], haha)
28 | })
29 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/webpack.config.prod.babel.js:
--------------------------------------------------------------------------------
1 | import path from 'path'
2 | import webpack from 'webpack'
3 |
4 | const PATH_SRC = path.join(__dirname)
5 | const PATH_DIST = path.join(__dirname, 'dist')
6 | const PATH_PUBLIC = '/static/'
7 |
8 | const config = {
9 | entry: PATH_SRC,
10 | output: {
11 | path: PATH_DIST,
12 | filename: 'bundle.js',
13 | publicPath: PATH_PUBLIC,
14 | },
15 | plugins: [
16 | new webpack.DefinePlugin({
17 | process: {
18 | env: {
19 | NODE_ENV: JSON.stringify('production'),
20 | },
21 | },
22 | }),
23 | new webpack.optimize.UglifyJsPlugin({
24 | compressor: {
25 | screw_ie8: true,
26 | warnings: false,
27 | },
28 | }),
29 | ],
30 | module: {
31 | rules: [
32 | {
33 | test: /\.(js|jsx)$/,
34 | use: ['babel-loader'],
35 | exclude: /node_modules/,
36 | },
37 | ],
38 | },
39 | resolve: {
40 | extensions: ['.js', '.jsx'],
41 | },
42 | }
43 |
44 | export default config
45 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/containers/ReposByUser.js:
--------------------------------------------------------------------------------
1 | import React from 'react'
2 | import { connect } from 'react-redux'
3 | import Repos from '../components/Repos'
4 | import { requestReposByUser } from '../actions'
5 |
6 | class ReposByUser extends React.Component {
7 | componentDidMount () {
8 | this.props.requestReposByUser(this.props.params.user)
9 | }
10 |
11 | componentWillReceiveProps (nextProps) {
12 | const { user } = this.props.params
13 | if (user !== nextProps.params.user) {
14 | this.props.requestReposByUser(user)
15 | }
16 | }
17 |
18 | render () {
19 | const {
20 | reposByUser,
21 | user,
22 | } = this.props
23 | if (!reposByUser[user]) {
24 | return (
25 | Loading
26 | )
27 | }
28 | return (
29 |
33 | )
34 | }
35 | }
36 |
37 | export default connect(
38 | ({ reposByUser }, ownProps) => ({
39 | reposByUser,
40 | user: ownProps.params.user,
41 | }),
42 | { requestReposByUser }
43 | )(ReposByUser)
44 |
--------------------------------------------------------------------------------
/LICENSE:
--------------------------------------------------------------------------------
1 | The MIT License (MIT)
2 |
3 | Copyright (c) 2016 Josh Burgess
4 |
5 | Permission is hereby granted, free of charge, to any person obtaining a copy
6 | of this software and associated documentation files (the "Software"), to deal
7 | in the Software without restriction, including without limitation the rights
8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
9 | copies of the Software, and to permit persons to whom the Software is
10 | furnished to do so, subject to the following conditions:
11 |
12 | The above copyright notice and this permission notice shall be included in all
13 | copies or substantial portions of the Software.
14 |
15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
21 | SOFTWARE.
22 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/actions/index.js:
--------------------------------------------------------------------------------
1 | import * as ActionTypes from '../ActionTypes'
2 |
3 | export const searchedUsersDebounced = query => ({
4 | type: ActionTypes.SEARCHED_USERS_DEBOUNCED,
5 | payload: {
6 | query,
7 | },
8 | })
9 |
10 | export const searchedUsers = query => ({
11 | type: ActionTypes.SEARCHED_USERS,
12 | payload: {
13 | query,
14 | },
15 | })
16 |
17 | export const receiveUsers = users => ({
18 | type: ActionTypes.RECEIVED_USERS,
19 | payload: {
20 | users,
21 | },
22 | })
23 |
24 | export const clearSearchResults = _ => ({
25 | type: ActionTypes.CLEARED_SEARCH_RESULTS,
26 | })
27 |
28 | export const requestReposByUser = user => ({
29 | type: ActionTypes.REQUESTED_USER_REPOS,
30 | payload: {
31 | user,
32 | },
33 | })
34 |
35 | export const receiveUserRepos = (user, repos) => ({
36 | type: ActionTypes.RECEIVED_USER_REPOS,
37 | payload: {
38 | user,
39 | repos,
40 | },
41 | })
42 |
43 | export const checkAdminAccess = _ => ({
44 | type: ActionTypes.CHECKED_ADMIN_ACCESS,
45 | })
46 |
47 | export const accessDenied = _ => ({
48 | type: ActionTypes.ACCESS_DENIED,
49 | })
50 |
--------------------------------------------------------------------------------
/tests/combineEpics.test.js:
--------------------------------------------------------------------------------
1 | import test from 'ava'
2 | import { map, observe } from 'most'
3 | import { sync } from 'most-subject'
4 | import { combineEpics, select } from '../src/'
5 |
6 | test('combineEpics should combine epics', t => {
7 | const epic1 = (actions$, store) =>
8 | map(
9 | action => ({ type: 'DELEGATED1', action, store }),
10 | select('ACTION1', actions$)
11 | )
12 | const epic2 = (actions$, store) =>
13 | map(
14 | action => ({ type: 'DELEGATED2', action, store }),
15 | select('ACTION2', actions$)
16 | )
17 | const epic = combineEpics(
18 | epic1,
19 | epic2
20 | )
21 | const store = { I: 'am', a: 'store' }
22 | const actions$ = sync()
23 | const result$ = epic(actions$, store)
24 | const emittedActions = []
25 | observe(emittedAction => emittedActions.push(emittedAction), result$)
26 | actions$.next({ type: 'ACTION1' })
27 | actions$.next({ type: 'ACTION2' })
28 |
29 | t.deepEqual(
30 | [
31 | { type: 'DELEGATED1', action: { type: 'ACTION1' }, store },
32 | { type: 'DELEGATED2', action: { type: 'ACTION2' }, store },
33 | ],
34 | emittedActions
35 | )
36 | })
37 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/webpack.config.dev.babel.js:
--------------------------------------------------------------------------------
1 | import path from 'path'
2 | import webpack from 'webpack'
3 |
4 | const PATH_SRC = path.join(__dirname)
5 | const PATH_DIST = path.join(__dirname, 'dist')
6 | const PATH_PUBLIC = '/static/'
7 |
8 | const config = {
9 | entry: PATH_SRC,
10 | output: {
11 | path: PATH_DIST,
12 | filename: 'bundle.js',
13 | publicPath: PATH_PUBLIC,
14 | },
15 | devServer: {
16 | contentBase: PATH_SRC,
17 | historyApiFallback: {
18 | index: PATH_PUBLIC,
19 | },
20 | hot: true,
21 | inline: true,
22 | open: true,
23 | port: 3000,
24 | },
25 | plugins: [
26 | new webpack.DefinePlugin({
27 | process: {
28 | env: {
29 | NODE_ENV: JSON.stringify('development'),
30 | },
31 | },
32 | }),
33 | new webpack.HotModuleReplacementPlugin(),
34 | new webpack.NoEmitOnErrorsPlugin(),
35 | ],
36 | module: {
37 | rules: [
38 | {
39 | test: /\.(js|jsx)$/,
40 | use: ['babel-loader'],
41 | exclude: /node_modules/,
42 | },
43 | ],
44 | },
45 | resolve: {
46 | extensions: ['.js', '.jsx'],
47 | },
48 | }
49 |
50 | export default config
51 |
--------------------------------------------------------------------------------
/src/createEpicMiddleware.js:
--------------------------------------------------------------------------------
1 | import { map, observe, Stream, switchLatest } from 'most'
2 | import { async } from 'most-subject'
3 | import { EPIC_END } from './EPIC_END'
4 |
5 | const compose2 = (f, g) => (...args) => f(g(...args))
6 | const switchMap = compose2(switchLatest, map)
7 |
8 | export const createEpicMiddleware = epic => {
9 | if (typeof epic !== 'function') {
10 | throw new TypeError('You must provide a root Epic to createEpicMiddleware')
11 | }
12 |
13 | const input$ = async()
14 | const action$ = new Stream(input$.source)
15 | const epic$ = async()
16 |
17 | let store // eslint-disable-line fp/no-let
18 |
19 | const epicMiddleware = storeToCapture => {
20 | store = storeToCapture
21 |
22 | return next => {
23 | const dispatch$ = switchMap(epic => epic(action$, store), epic$)
24 | observe(store.dispatch, dispatch$)
25 |
26 | // Emit combined epics
27 | epic$.next(epic)
28 |
29 | return action => {
30 | // Allow reducers to receive actions before epics
31 | const result = next(action)
32 | input$.next(action)
33 | return result
34 | }
35 | }
36 | }
37 |
38 | epicMiddleware.replaceEpic = epic => {
39 | store.dispatch({ type: EPIC_END })
40 | epic$.next(epic)
41 | }
42 |
43 | return epicMiddleware
44 | }
45 |
--------------------------------------------------------------------------------
/.eslintrc.json:
--------------------------------------------------------------------------------
1 | {
2 | "env": {
3 | "browser": true,
4 | "node": true,
5 | "es6": true
6 | },
7 |
8 | "parserOptions": {
9 | "ecmaFeatures": {
10 | "experimentalObjectRestSpread": true,
11 | "jsx": true
12 | }
13 | },
14 |
15 | "plugins": [
16 | "react",
17 | "better",
18 | "fp",
19 | "import",
20 | "promise",
21 | "standard"
22 | ],
23 |
24 | "extends": ["standard-pure-fp", "standard-react"],
25 |
26 | "rules": {
27 | // Allow dangling commas for better clarity in diffs
28 | "comma-dangle": [2, "always-multiline"],
29 |
30 | // ES6 Rules
31 | "arrow-parens": [2, "as-needed"],
32 | "prefer-arrow-callback": 2,
33 |
34 | // Relax fp rules for library internals & more common react code in example
35 | "better/explicit-return": 0,
36 | "better/no-ifs": 0,
37 | "fp/no-rest-parameters": 0,
38 | "better/no-new": 0,
39 | "fp/no-throw": 0,
40 | "fp/no-this": 0,
41 | "fp/no-class": 0,
42 | "fp/no-mutation": 0,
43 | "fp/no-nil": 0,
44 | "fp/no-unused-expression": 0,
45 | "fp/no-mutating-methods": 0,
46 |
47 | // Extra React rules not provided by standard-react
48 | "react/react-in-jsx-scope": 2,
49 | "jsx-quotes": [2, "prefer-single"],
50 | // Disable propTypes validation
51 | "react/prop-types": 0
52 | }
53 | }
54 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/epics/adminAccess.js:
--------------------------------------------------------------------------------
1 | import { delay, just, map, merge, chain } from 'most'
2 | import { push } from 'react-router-redux'
3 | import * as ActionTypes from '../ActionTypes'
4 | import { accessDenied } from '../actions'
5 | import { select } from 'redux-most'
6 | // import { select } from '../../../src/index'
7 |
8 | // Fluent style
9 | // const adminAccess = action$ =>
10 | // // action$.thru(select(ActionTypes.CHECKED_ADMIN_ACCESS))
11 | // // If you wanted to do an actual access check you
12 | // // could do so here and then filter by failed checks.
13 | // .delay(800)
14 | // .chain(_ =>
15 | // merge(
16 | // just(accessDenied()),
17 | // just().delay(800).map(_ => push('/'))
18 | // )
19 | // )
20 |
21 | // Functional style
22 | const adminAccess = action$ => {
23 | const checkedAdminAccess$ = select(ActionTypes.CHECKED_ADMIN_ACCESS, action$)
24 | // If you wanted to do an actual access check you
25 | // could do so here and then filter by failed checks.
26 | const delayedCheckedAdminAccess$ = delay(800, checkedAdminAccess$)
27 | const redirectToRoot$ = map(_ => push('/'), delay(800, just()))
28 | const denyAndRedirect = _ => merge(just(accessDenied()), redirectToRoot$)
29 | return chain(denyAndRedirect, delayedCheckedAdminAccess$)
30 | }
31 |
32 | export default adminAccess
33 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/epics/fetchReposByUser.js:
--------------------------------------------------------------------------------
1 | import * as ActionTypes from '../ActionTypes'
2 | import { receiveUserRepos } from '../actions'
3 | import { fromPromise, map, switchLatest } from 'most'
4 | import { select } from 'redux-most'
5 | // import { select } from '../../../src/index'
6 | import curry from 'ramda/src/curry'
7 |
8 | const receiveReposForUser = curry(receiveUserRepos)
9 |
10 | // Fluent style
11 | // const fetchReposByUser = action$ =>
12 | // action$.thru(select(ActionTypes.REQUESTED_USER_REPOS))
13 | // .map(({ payload }) => payload.user)
14 | // .map(user =>
15 | // fromPromise(
16 | // fetch(`https://api.github.com/users/${user}/repos`)
17 | // .then(response => response.json())
18 | // ).map(receiveReposForUser(user))
19 | // ).switch()
20 |
21 | // Functional style
22 | const fetchReposByUser = action$ => {
23 | const reqUserRepos$ = select(ActionTypes.REQUESTED_USER_REPOS, action$)
24 | const user$ = map(({ payload }) => payload.user, reqUserRepos$)
25 | const getUserReposStream = x => fromPromise(
26 | fetch(`https://api.github.com/users/${x}/repos`)
27 | .then(response => response.json()))
28 | const receiveUserRepos$ = x =>
29 | map(receiveReposForUser(x), getUserReposStream(x))
30 | return switchLatest(map(receiveUserRepos$, user$))
31 | }
32 |
33 | export default fetchReposByUser
34 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/index.js:
--------------------------------------------------------------------------------
1 | import React from 'react'
2 | import { render } from 'react-dom'
3 | import { Provider } from 'react-redux'
4 | import { Router, Route, browserHistory, IndexRoute } from 'react-router'
5 | import { syncHistoryWithStore } from 'react-router-redux'
6 | import configureStore from './configureStore'
7 | import App from './containers/App'
8 | import UserSearch from './containers/UserSearch'
9 | import ReposByUser from './containers/ReposByUser'
10 | import Admin from './containers/Admin'
11 | // Supply polyfills for new built-ins like Promise, WeakMap, Object.assign, etc.
12 | import 'babel-polyfill'
13 | // Overwrite Promise implementation with Creed for best performance
14 | import { shim } from 'creed'
15 | shim() // eslint-disable-line fp/no-unused-expression
16 | // Supply polyfill for fetch
17 | import 'isomorphic-fetch'
18 |
19 | const store = configureStore()
20 | const history = syncHistoryWithStore(
21 | browserHistory,
22 | store
23 | )
24 |
25 | /* eslint-disable fp/no-unused-expression */
26 | render(
27 |
28 |
29 |
30 |
31 |
32 |
33 |
34 |
35 | ,
36 | document.getElementById('app')
37 | )
38 | /* eslint-enable fp/no-unused-expression */
39 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "redux-most-react-redux-navigation-example",
3 | "version": "0.0.0",
4 | "description": "redux-most react & redux navigation example",
5 | "main": "index.js",
6 | "scripts": {
7 | "start": "webpack-dev-server --config webpack.config.dev.babel.js",
8 | "build": "webpack --config webpack.config.prod.babel.js"
9 | },
10 | "repository": "joshburgess/redux-most",
11 | "author": "Josh Burgess",
12 | "license": "MIT",
13 | "bugs": {
14 | "url": "https://github.com/joshburgess/redux-most/issues"
15 | },
16 | "homepage": "https://github.com/joshburgess/redux-most#README.md",
17 | "dependencies": {
18 | "babel-polyfill": "^6.23.0",
19 | "creed": "^1.0.3",
20 | "history": "^4.5.1",
21 | "isomorphic-fetch": "^2.2.1",
22 | "most": "^1.0.1",
23 | "most-subject": "^5.3.0",
24 | "ramda": "^0.23.0",
25 | "react": "^15.3.0",
26 | "react-dom": "^15.3.0",
27 | "react-redux": "^5.0.3",
28 | "react-router": "^3.0.2",
29 | "react-router-redux": "^4.0.5",
30 | "redux": "^3.5.2",
31 | "redux-most": "^0.4.1"
32 | },
33 | "devDependencies": {
34 | "babel-cli": "^6.11.4",
35 | "babel-core": "^6.11.4",
36 | "babel-eslint": "^7.1.1",
37 | "babel-loader": "^7.0.0",
38 | "babel-preset-latest": "^6.24.0",
39 | "babel-preset-react": "^6.24.1",
40 | "babel-preset-stage-3": "^6.22.0",
41 | "babel-register": "^6.24.1",
42 | "webpack": "^2.5.1",
43 | "webpack-dev-server": "^2.4.5"
44 | }
45 | }
46 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/containers/UserSearch.js:
--------------------------------------------------------------------------------
1 | import React from 'react'
2 | import { connect } from 'react-redux'
3 | import { Link } from 'react-router'
4 | import UserSearchInput from '../components/UserSearchInput'
5 | import UserSearchResults from '../components/UserSearchResults'
6 | import { searchedUsersDebounced } from '../actions'
7 |
8 | class UserSearch extends React.Component {
9 | constructor (props) {
10 | super(props)
11 | this.handleUserSearch = this.handleUserSearch.bind(this)
12 | }
13 |
14 | componentDidMount () {
15 | this.handleUserSearch(this.props.query)
16 | }
17 |
18 | handleUserSearch (query) {
19 | this.props.searchedUsersDebounced(query)
20 | }
21 |
22 | render () {
23 | const {
24 | query,
25 | results,
26 | searchInFlight,
27 | } = this.props
28 | return (
29 |
30 |
36 | Admin Panel
37 |
38 |
42 |
46 |
47 | )
48 | }
49 | }
50 |
51 | export default connect(
52 | ({ routing, userResults, searchInFlight }) => ({
53 | query: routing.locationBeforeTransitions.query.q,
54 | results: userResults,
55 | searchInFlight,
56 | }),
57 | { searchedUsersDebounced }
58 | )(UserSearch)
59 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/epics/searchUsers.js:
--------------------------------------------------------------------------------
1 | import { replace } from 'react-router-redux'
2 | import * as ActionTypes from '../ActionTypes'
3 | import { receiveUsers } from '../actions'
4 | import {
5 | chain, filter, fromPromise, just, map, merge, until, switchLatest,
6 | } from 'most'
7 | import { select } from 'redux-most'
8 | // import { select } from '../../../src/index'
9 |
10 | // Fluent style
11 | // const searchUsers = action$ =>
12 | // action$.thru(select(ActionTypes.SEARCHED_USERS))
13 | // .map(({ payload }) => payload.query)
14 | // .filter(q => !!q)
15 | // .map(q =>
16 | // just()
17 | // .until(action$.thru(select(ActionTypes.CLEARED_SEARCH_RESULTS)))
18 | // .chain(_ =>
19 | // merge(
20 | // just(replace(`?q=${q}`)),
21 | // fromPromise(
22 | // fetch(`https://api.github.com/search/users?q=${q}`)
23 | // .then(response => response.json())
24 | // )
25 | // .map(({ items }) => items)
26 | // .map(receiveUsers)
27 | // )
28 | // )
29 | // ).switch()
30 |
31 | // Functional style
32 | const searchUsers = action$ => {
33 | const searchedUsers$ = select(ActionTypes.SEARCHED_USERS, action$)
34 | const maybeEmptyQuery$ = map(({ payload }) => payload.query, searchedUsers$)
35 | const query$ = filter(q => !!q, maybeEmptyQuery$)
36 | const untilCleared$ = until(
37 | select(ActionTypes.CLEARED_SEARCH_RESULTS, action$),
38 | just()
39 | )
40 | const fetchJson = q => fromPromise(
41 | fetch(`https://api.github.com/search/users?q=${q}`)
42 | .then(response => response.json())
43 | )
44 | const parseJsonForUsers = q => map(({ items }) => items, fetchJson(q))
45 | const fetchReplaceReceive = q => merge(
46 | just(replace(`?q=${q}`)),
47 | map(receiveUsers, parseJsonForUsers(q))
48 | )
49 | const fetchReplaceReceiveUntilCleared = q =>
50 | chain(_ => fetchReplaceReceive(q), untilCleared$)
51 | return switchLatest(map(fetchReplaceReceiveUntilCleared, query$))
52 | }
53 |
54 | export default searchUsers
55 |
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "redux-most",
3 | "version": "0.4.1",
4 | "description": "Most.js based middleware for Redux. Handle async actions with monadic streams and reactive programming.",
5 | "main": "lib/index.js",
6 | "module": "es/index.js",
7 | "jsnext:main": "es/index.js",
8 | "typings": "./index.d.ts",
9 | "files": [
10 | "dist",
11 | "lib",
12 | "es",
13 | "src",
14 | "index.d.ts"
15 | ],
16 | "scripts": {
17 | "lint": "eslint src",
18 | "test": "ava --tap | tap-diff",
19 | "tdd": "ava --watch --tap | tap-diff",
20 | "check": "yarn run lint && yarn run test",
21 | "build:cjs": "rimraf lib && cross-env BABEL_ENV=cjs babel src --out-dir lib",
22 | "build:es": "rimraf es && cross-env BABEL_ENV=es babel src --out-dir es",
23 | "build:umd:dev": "cross-env BABEL_ENV=cjs webpack src/index.js dist/redux-most.js --config webpack.config.dev.babel.js",
24 | "build:umd:prod": "cross-env BABEL_ENV=cjs webpack src/index.js dist/redux-most.min.js --config webpack.config.prod.babel.js",
25 | "build:umd": "rimraf dist && yarn run build:umd:dev && yarn run build:umd:prod",
26 | "build": "yarn run build:cjs && yarn run build:es && yarn run build:umd",
27 | "prepublish": "yarn run lint && yarn run build"
28 | },
29 | "repository": "joshburgess/redux-most",
30 | "keywords": [
31 | "action",
32 | "async",
33 | "asynchronous",
34 | "fluent",
35 | "functional",
36 | "middleware",
37 | "monad",
38 | "monadic",
39 | "most",
40 | "most.js",
41 | "mostjs",
42 | "observable",
43 | "reactive",
44 | "reactive extensions",
45 | "reactive programming",
46 | "reactive streams",
47 | "redux",
48 | "redux-observable",
49 | "redux-saga",
50 | "rx",
51 | "rxjs",
52 | "saga",
53 | "sagas",
54 | "stream",
55 | "streams",
56 | "thunk"
57 | ],
58 | "author": {
59 | "name": "Josh Burgess",
60 | "email": "joshburgess.webdev@gmail.com"
61 | },
62 | "license": "MIT",
63 | "bugs": {
64 | "url": "https://github.com/joshburgess/redux-most/issues"
65 | },
66 | "homepage": "https://github.com/joshburgess/redux-most#README.md",
67 | "ava": {
68 | "files": [
69 | "tests/*.test.js"
70 | ],
71 | "failFast": true,
72 | "require": [
73 | "babel-register"
74 | ],
75 | "babel": "inherit"
76 | },
77 | "peerDependencies": {
78 | "most": "^1.0.3",
79 | "redux": "3.*"
80 | },
81 | "dependencies": {
82 | "@most/prelude": "^1.6.0",
83 | "most-subject": "^5.3.0"
84 | },
85 | "devDependencies": {
86 | "ava": "^0.19.1",
87 | "babel-cli": "^6.11.4",
88 | "babel-eslint": "^7.1.1",
89 | "babel-loader": "^7.0.0",
90 | "babel-preset-latest": "^6.24.0",
91 | "babel-preset-react": "^6.24.1",
92 | "babel-preset-stage-3": "^6.22.0",
93 | "babel-register": "^6.24.1",
94 | "cross-env": "^5.0.0",
95 | "eslint": "^3.17.1",
96 | "eslint-config-standard-pure-fp": "^2.0.1",
97 | "eslint-config-standard-react": "^5.0.0",
98 | "eslint-plugin-better": "0.1.5",
99 | "eslint-plugin-fp": "^2.3.0",
100 | "eslint-plugin-import": "^2.2.0",
101 | "eslint-plugin-promise": "^3.5.0",
102 | "eslint-plugin-react": "^7.0.1",
103 | "eslint-plugin-standard": "^3.0.1",
104 | "nyc": "^10.1.2",
105 | "rimraf": "^2.5.4",
106 | "sinon": "^2.2.0",
107 | "tap-diff": "^0.1.1",
108 | "typescript": "^2.0.3",
109 | "typings": "^2.1.0",
110 | "webpack": "^2.5.1"
111 | },
112 | "npmName": "redux-most",
113 | "npmFileMap": [
114 | {
115 | "basePath": "/dist/",
116 | "files": [
117 | "*.js"
118 | ]
119 | }
120 | ]
121 | }
122 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | redux-most
2 | ==========
3 |
4 | [Most.js](https://github.com/cujojs/most) based middleware for [Redux](http://redux.js.org/).
5 |
6 | Handle async actions with monadic streams & reactive programming.
7 |
8 | ### Install
9 | With yarn (recommended):
10 | ```bash
11 | yarn add redux-most
12 | ```
13 |
14 | or with npm:
15 | ```bash
16 | npm install --save redux-most
17 | ```
18 |
19 | Additionally, make sure the peer dependencies, `redux` and `most`, are also installed.
20 |
21 | ### Background
22 |
23 | `redux-most` is based on [`redux-observable`](https://redux-observable.js.org/).
24 | It uses the same pattern/concept of ["epics"](https://redux-observable.js.org/docs/basics/Epics.html)
25 | without requiring [`RxJS 5`](http://reactivex.io/rxjs/) as a peer dependency.
26 | Although `redux-observable` does provide capability for using other stream libraries via adapters,
27 | `redux-most` allows you to bypass needing to install both `RxJS 5` and `most`. I prefer `most` for
28 | working with observables and would rather have minimal dependencies. So, I wrote
29 | this middleware primarily for my own use.
30 |
31 | Please, see `redux-observable`'s [documentation](https://redux-observable.js.org/)
32 | for details on usage.
33 |
34 | ### Why most over RxJS?
35 |
36 | `RxJS 5` is great. It's quite a bit faster than `RxJS 4`, and `Rx`, in general, is a
37 | very useful tool which happens to exist across many different languages.
38 | Learning it is definitely a good idea. However, `most` is significantly smaller,
39 | less complicated, and faster than `RxJS 5`. I prefer its more minimal set of
40 | operators and its focus on performance. Also, like [`Ramda`](http://ramdajs.com/)
41 | or [`lodash/fp`](https://github.com/lodash/lodash/wiki/FP-Guide), `most`
42 | supports a functional API in which the data collection (a stream, rather than
43 | an array, in this case) gets passed in last. This is important, because it
44 | allows you to use functional programming techniques like currying & partial
45 | application, which you can't do with `RxJS` without writing your own wrapper
46 | functions, because it only offers an OOP/fluent/chaining style API.
47 |
48 | ### Why integrate `most`/`RxJS` with `redux` instead of recreating it with streams?
49 |
50 | It's true that it's quite easy to implement the core ideas of `Redux` with
51 | observables using the `scan` operator. (See my [inferno-most-fp-demo](https://github.com/joshburgess/inferno-most-fp-demo)
52 | for an example.) However, the [Redux DevTools](https://github.com/gaearon/redux-devtools)
53 | provide what is arguably the nicest developer tooling experience currently available
54 | in the JavaScript ecosystem. Therefore, it is huge to be able to maintain it as an asset
55 | while still reaping the benefits of reactive programming with streams. Purists, those who
56 | are very experienced with working with observables, and those working on smaller apps
57 | may not care as much about taking advantage of that tooling as using an elegant
58 | streams-only based solution, and that's fine. The important thing is having a choice.
59 |
60 | ### Why `redux-most` or `redux-observable` over [`redux-saga`](https://redux-saga.js.org/)?
61 |
62 | `redux-saga` is nice. It's a sophisticated approach to handling asynchronous
63 | actions with `Redux` and can handle very complicated tasks with ease. However,
64 | due to generators being pull-based, it is much more imperative in nature. I
65 | simply prefer the more declarative style of push-based streams & reactive
66 | programming.
67 |
68 | ### Differences between `redux-most` & `redux-observable`
69 |
70 | I chose not to extend the `Observable`/`Stream` type with a custom `ActionsObservable`
71 | type. So, when working with `redux-most`, you will be working with normal `most`
72 | streams without any special extension methods. However, I have offered something
73 | similar to `redux-observable`'s `ofType` operator in `redux-most` with the
74 | `select` and `selectArray` helper functions.
75 |
76 | Like `ofType`, `select` and `selectArray` are convenience utilities for filtering
77 | actions by a specific type or types. In `redux-observable`, `ofType` can optionally take multiple
78 | action types to filter on. In `redux-most`, we want to be more explicit, as it is generally a good
79 | practice in functional programming to prefer a known number of arguments over a variable amount
80 | of arguments. Therefore, `select` is used when we want to filter by a single action type, and
81 | `selectArray` is used when we want to filter by multiple action types (via an array) simultaneously.
82 |
83 | Additionally, to better align with the `most` API, and because these fucntions take a known number
84 | of arguments, `select` & `selectArray` are curried, which allows them be used in either a
85 | fluent style or a more functional style which enables the use of further currying, partial
86 | application, & functional composition.
87 |
88 | To use the fluent style, just use most's `thru` operator to pass the stream
89 | through to `select`/`selectArray` as the 2nd argument.
90 |
91 | ```js
92 | action$.thru(select(ActionTypes.SOME_ACTION_TYPE))
93 | action$.thru(selectArray([ActionTypes.SOME_ACTION_TYPE, ActionTypes.SOME_OTHER_ACTION_TYPE]))
94 | ```
95 |
96 | Otherwise, simply directly pass the stream as the 2nd argument.
97 |
98 | ```js
99 | select(ActionTypes.SOME_ACTION_TYPE, action$)
100 | selectArray([ActionTypes.SOME_ACTION_TYPE, ActionTypes.SOME_OTHER_ACTION_TYPE], action$)
101 | ```
102 |
103 | ## API Reference
104 |
105 | - [createEpicMiddleware](#createepicmiddleware-rootepic)
106 | - [combineEpics](#combineepics-epics)
107 | - [EpicMiddleware](#epicmiddleware)
108 | - [select](#select-actiontype-stream)
109 | - [selectArray](#selectArray-actiontypes-stream)
110 |
111 | ---
112 |
113 | ### `createEpicMiddleware (rootEpic)`
114 |
115 | `createEpicMiddleware(rootEpic)` is used to create an instance of the actual `redux-most` middleware.
116 | You provide a single, root `Epic`.
117 |
118 | __Arguments__
119 |
120 | 1. `rootEpic` _(`Epic`)_: The root Epic.
121 |
122 | __Returns__
123 |
124 | _(`MiddlewareAPI`)_: An instance of the `redux-most` middleware.
125 |
126 | __Example__
127 | ```js
128 | // redux/configureStore.js
129 |
130 | import { createStore, applyMiddleware, compose } from 'redux'
131 | import { createEpicMiddleware } from 'redux-most'
132 | import { rootEpic, rootReducer } from './modules/root'
133 |
134 | const epicMiddleware = createEpicMiddleware(rootEpic)
135 |
136 | export default function configureStore() {
137 | const store = createStore(
138 | rootReducer,
139 | applyMiddleware(epicMiddleware)
140 | )
141 |
142 | return store
143 | }
144 | ```
145 |
146 | ---
147 |
148 | ### `combineEpics (...epics)`
149 |
150 | `combineEpics()`, as the name suggests, allows you to take multiple epics and combine them into a single one.
151 |
152 | __Arguments__
153 |
154 | 1. `...epics` _(`Epic[]`)_: The [epics](../basics/Epics.md) to combine.
155 |
156 | __Returns__
157 |
158 | _(`Epic`)_: An Epic that merges the output of every Epic provided and passes along the redux store as arguments.
159 |
160 | __Example__
161 | ```js
162 | // epics/index.js
163 |
164 | import { combineEpics } from 'redux-most'
165 | import pingEpic from './ping'
166 | import fetchUserEpic from './fetchUser'
167 |
168 | export default combineEpics(
169 | pingEpic,
170 | fetchUserEpic
171 | )
172 | ```
173 |
174 | ---
175 |
176 | ### `EpicMiddleware`
177 |
178 | An instance of the `redux-most` middleware.
179 |
180 | To create it, pass your root Epic to [`createEpicMiddleware`](#createepicmiddleware-rootepic).
181 |
182 | __Methods__
183 |
184 | - [`replaceEpic (nextEpic)`](#replaceEpic)
185 |
186 | #### `replaceEpic (nextEpic)`
187 |
188 | Replaces the epic currently used by the middleware.
189 |
190 | It is an advanced API. You might need this if your app implements code splitting and you
191 | want to load some of the epics dynamically or you're using hot reloading.
192 |
193 | __Arguments__
194 |
195 | 1. `nextEpic` _(`Epic`)_: The next epic for the middleware to use.
196 |
197 | ---
198 |
199 | ### `select (actionType, stream)`
200 |
201 | A helper function for filtering the stream of actions by a single action type.
202 |
203 | __Arguments__
204 |
205 | 1. `actionType` _(`String`)_: The type of action to filter by.
206 | 2. `stream` _(`Stream`)_: The stream of actions you are filtering. Ex: `actions$`.
207 |
208 | The `select` operator is curried, allowing you to use a fluent or functional style.
209 |
210 | __Examples__
211 | ```js
212 | // fluent style
213 |
214 | import * as ActionTypes from '../ActionTypes'
215 | import { clearSearchResults } from '../actions'
216 | import { select } from 'redux-most'
217 |
218 | const clear = action$ =>
219 | action$.thru(select(ActionTypes.SEARCHED_USERS_DEBOUNCED))
220 | .filter(action => !action.payload.query)
221 | .map(clearSearchResults)
222 |
223 | export default clear
224 | ```
225 |
226 | ```js
227 | // functional style
228 |
229 | import * as ActionTypes from '../ActionTypes'
230 | import { clearSearchResults } from '../actions'
231 | import { select } from 'redux-most'
232 |
233 | const clear = action$ => {
234 | const search$ = select(ActionTypes.SEARCHED_USERS_DEBOUNCED, action$)
235 | const emptySearch$ = filter(action => !action.payload.query, search$)
236 | return map(clearSearchResults, emptySearch$)
237 | }
238 |
239 | export default clear
240 | ```
241 | ---
242 |
243 | ### `selectArray (actionTypes, stream)`
244 |
245 | A helper function for filtering the stream of actions by an array of action types.
246 |
247 | __Arguments__
248 |
249 | 1. `actionTypes` _(`Array`)_: An array of action types to filter by.
250 | 2. `stream` _(`Stream`)_: The stream of actions you are filtering. Ex: `actions$`.
251 |
252 | The `selectArray` operator is curried, allowing you to use a fluent or functional style.
253 |
254 | __Examples__
255 | ```js
256 | // fluent style
257 |
258 | import * as ActionTypes from '../ActionTypes'
259 | import { clearSearchResults } from '../actions'
260 | import { selectArray } from 'redux-most'
261 |
262 | const clear = action$ =>
263 | action$.thru(selectArray([ActionTypes.SEARCHED_USERS, ActionTypes.SEARCHED_USERS_DEBOUNCED]))
264 | .filter(action => !action.payload.query)
265 | .map(clearSearchResults)
266 |
267 | export default clear
268 | ```
269 |
270 | ```js
271 | // functional style
272 |
273 | import * as ActionTypes from '../ActionTypes'
274 | import { clearSearchResults } from '../actions'
275 | import { selectArray } from 'redux-most'
276 |
277 | const clear = action$ => {
278 | const search$ = selectArray([ActionTypes.SEARCHED_USERS, ActionTypes.SEARCHED_USERS_DEBOUNCED], action$)
279 | const emptySearch$ = filter(action => !action.payload.query, search$)
280 | return map(clearSearchResults, emptySearch$)
281 | }
282 |
283 | export default clear
284 | ```
285 |
--------------------------------------------------------------------------------
/examples/navigation-react-redux/yarn.lock:
--------------------------------------------------------------------------------
1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
2 | # yarn lockfile v1
3 |
4 |
5 | "@most/multicast@^1.2.4", "@most/multicast@^1.2.5":
6 | version "1.2.5"
7 | resolved "https://registry.yarnpkg.com/@most/multicast/-/multicast-1.2.5.tgz#ba5abc997f9a6511094bec117914f4959720a8fb"
8 | dependencies:
9 | "@most/prelude" "^1.4.0"
10 |
11 | "@most/prelude@^1.4.0", "@most/prelude@^1.4.1", "@most/prelude@^1.6.0":
12 | version "1.6.0"
13 | resolved "https://registry.yarnpkg.com/@most/prelude/-/prelude-1.6.0.tgz#4256e3a902ddf04c1f07afca2267526195072e13"
14 |
15 | abbrev@1:
16 | version "1.1.0"
17 | resolved "https://registry.yarnpkg.com/abbrev/-/abbrev-1.1.0.tgz#d0554c2256636e2f56e7c2e5ad183f859428d81f"
18 |
19 | accepts@~1.3.3:
20 | version "1.3.3"
21 | resolved "https://registry.yarnpkg.com/accepts/-/accepts-1.3.3.tgz#c3ca7434938648c3e0d9c1e328dd68b622c284ca"
22 | dependencies:
23 | mime-types "~2.1.11"
24 | negotiator "0.6.1"
25 |
26 | acorn-dynamic-import@^2.0.0:
27 | version "2.0.2"
28 | resolved "https://registry.yarnpkg.com/acorn-dynamic-import/-/acorn-dynamic-import-2.0.2.tgz#c752bd210bef679501b6c6cb7fc84f8f47158cc4"
29 | dependencies:
30 | acorn "^4.0.3"
31 |
32 | acorn@^4.0.3:
33 | version "4.0.11"
34 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-4.0.11.tgz#edcda3bd937e7556410d42ed5860f67399c794c0"
35 |
36 | acorn@^5.0.0:
37 | version "5.0.3"
38 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-5.0.3.tgz#c460df08491463f028ccb82eab3730bf01087b3d"
39 |
40 | ajv-keywords@^1.1.1:
41 | version "1.5.1"
42 | resolved "https://registry.yarnpkg.com/ajv-keywords/-/ajv-keywords-1.5.1.tgz#314dd0a4b3368fad3dfcdc54ede6171b886daf3c"
43 |
44 | ajv@^4.7.0, ajv@^4.9.1:
45 | version "4.11.8"
46 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-4.11.8.tgz#82ffb02b29e662ae53bdc20af15947706739c536"
47 | dependencies:
48 | co "^4.6.0"
49 | json-stable-stringify "^1.0.1"
50 |
51 | align-text@^0.1.1, align-text@^0.1.3:
52 | version "0.1.4"
53 | resolved "https://registry.yarnpkg.com/align-text/-/align-text-0.1.4.tgz#0cd90a561093f35d0a99256c22b7069433fad117"
54 | dependencies:
55 | kind-of "^3.0.2"
56 | longest "^1.0.1"
57 | repeat-string "^1.5.2"
58 |
59 | ansi-html@0.0.7:
60 | version "0.0.7"
61 | resolved "https://registry.yarnpkg.com/ansi-html/-/ansi-html-0.0.7.tgz#813584021962a9e9e6fd039f940d12f56ca7859e"
62 |
63 | ansi-regex@^2.0.0:
64 | version "2.1.1"
65 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.1.1.tgz#c3b33ab5ee360d86e0e628f0468ae7ef27d654df"
66 |
67 | ansi-styles@^2.2.1:
68 | version "2.2.1"
69 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-2.2.1.tgz#b432dd3358b634cf75e1e4664368240533c1ddbe"
70 |
71 | anymatch@^1.3.0:
72 | version "1.3.0"
73 | resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-1.3.0.tgz#a3e52fa39168c825ff57b0248126ce5a8ff95507"
74 | dependencies:
75 | arrify "^1.0.0"
76 | micromatch "^2.1.5"
77 |
78 | aproba@^1.0.3:
79 | version "1.1.1"
80 | resolved "https://registry.yarnpkg.com/aproba/-/aproba-1.1.1.tgz#95d3600f07710aa0e9298c726ad5ecf2eacbabab"
81 |
82 | are-we-there-yet@~1.1.2:
83 | version "1.1.4"
84 | resolved "https://registry.yarnpkg.com/are-we-there-yet/-/are-we-there-yet-1.1.4.tgz#bb5dca382bb94f05e15194373d16fd3ba1ca110d"
85 | dependencies:
86 | delegates "^1.0.0"
87 | readable-stream "^2.0.6"
88 |
89 | arr-diff@^2.0.0:
90 | version "2.0.0"
91 | resolved "https://registry.yarnpkg.com/arr-diff/-/arr-diff-2.0.0.tgz#8f3b827f955a8bd669697e4a4256ac3ceae356cf"
92 | dependencies:
93 | arr-flatten "^1.0.1"
94 |
95 | arr-flatten@^1.0.1:
96 | version "1.0.3"
97 | resolved "https://registry.yarnpkg.com/arr-flatten/-/arr-flatten-1.0.3.tgz#a274ed85ac08849b6bd7847c4580745dc51adfb1"
98 |
99 | array-flatten@1.1.1:
100 | version "1.1.1"
101 | resolved "https://registry.yarnpkg.com/array-flatten/-/array-flatten-1.1.1.tgz#9a5f699051b1e7073328f2a008968b64ea2955d2"
102 |
103 | array-unique@^0.2.1:
104 | version "0.2.1"
105 | resolved "https://registry.yarnpkg.com/array-unique/-/array-unique-0.2.1.tgz#a1d97ccafcbc2625cc70fadceb36a50c58b01a53"
106 |
107 | arrify@^1.0.0:
108 | version "1.0.1"
109 | resolved "https://registry.yarnpkg.com/arrify/-/arrify-1.0.1.tgz#898508da2226f380df904728456849c1501a4b0d"
110 |
111 | asap@~2.0.3:
112 | version "2.0.5"
113 | resolved "https://registry.yarnpkg.com/asap/-/asap-2.0.5.tgz#522765b50c3510490e52d7dcfe085ef9ba96958f"
114 |
115 | asn1.js@^4.0.0:
116 | version "4.9.1"
117 | resolved "https://registry.yarnpkg.com/asn1.js/-/asn1.js-4.9.1.tgz#48ba240b45a9280e94748990ba597d216617fd40"
118 | dependencies:
119 | bn.js "^4.0.0"
120 | inherits "^2.0.1"
121 | minimalistic-assert "^1.0.0"
122 |
123 | asn1@~0.2.3:
124 | version "0.2.3"
125 | resolved "https://registry.yarnpkg.com/asn1/-/asn1-0.2.3.tgz#dac8787713c9966849fc8180777ebe9c1ddf3b86"
126 |
127 | assert-plus@1.0.0, assert-plus@^1.0.0:
128 | version "1.0.0"
129 | resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-1.0.0.tgz#f12e0f3c5d77b0b1cdd9146942e4e96c1e4dd525"
130 |
131 | assert-plus@^0.2.0:
132 | version "0.2.0"
133 | resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-0.2.0.tgz#d74e1b87e7affc0db8aadb7021f3fe48101ab234"
134 |
135 | assert@^1.1.1:
136 | version "1.4.1"
137 | resolved "https://registry.yarnpkg.com/assert/-/assert-1.4.1.tgz#99912d591836b5a6f5b345c0f07eefc08fc65d91"
138 | dependencies:
139 | util "0.10.3"
140 |
141 | async-each@^1.0.0:
142 | version "1.0.1"
143 | resolved "https://registry.yarnpkg.com/async-each/-/async-each-1.0.1.tgz#19d386a1d9edc6e7c1c85d388aedbcc56d33602d"
144 |
145 | async@^1.5.2:
146 | version "1.5.2"
147 | resolved "https://registry.yarnpkg.com/async/-/async-1.5.2.tgz#ec6a61ae56480c0c3cb241c95618e20892f9672a"
148 |
149 | async@^2.1.2:
150 | version "2.4.0"
151 | resolved "https://registry.yarnpkg.com/async/-/async-2.4.0.tgz#4990200f18ea5b837c2cc4f8c031a6985c385611"
152 | dependencies:
153 | lodash "^4.14.0"
154 |
155 | asynckit@^0.4.0:
156 | version "0.4.0"
157 | resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79"
158 |
159 | aws-sign2@~0.6.0:
160 | version "0.6.0"
161 | resolved "https://registry.yarnpkg.com/aws-sign2/-/aws-sign2-0.6.0.tgz#14342dd38dbcc94d0e5b87d763cd63612c0e794f"
162 |
163 | aws4@^1.2.1:
164 | version "1.6.0"
165 | resolved "https://registry.yarnpkg.com/aws4/-/aws4-1.6.0.tgz#83ef5ca860b2b32e4a0deedee8c771b9db57471e"
166 |
167 | babel-cli@^6.11.4:
168 | version "6.24.1"
169 | resolved "https://registry.yarnpkg.com/babel-cli/-/babel-cli-6.24.1.tgz#207cd705bba61489b2ea41b5312341cf6aca2283"
170 | dependencies:
171 | babel-core "^6.24.1"
172 | babel-polyfill "^6.23.0"
173 | babel-register "^6.24.1"
174 | babel-runtime "^6.22.0"
175 | commander "^2.8.1"
176 | convert-source-map "^1.1.0"
177 | fs-readdir-recursive "^1.0.0"
178 | glob "^7.0.0"
179 | lodash "^4.2.0"
180 | output-file-sync "^1.1.0"
181 | path-is-absolute "^1.0.0"
182 | slash "^1.0.0"
183 | source-map "^0.5.0"
184 | v8flags "^2.0.10"
185 | optionalDependencies:
186 | chokidar "^1.6.1"
187 |
188 | babel-code-frame@^6.22.0:
189 | version "6.22.0"
190 | resolved "https://registry.yarnpkg.com/babel-code-frame/-/babel-code-frame-6.22.0.tgz#027620bee567a88c32561574e7fd0801d33118e4"
191 | dependencies:
192 | chalk "^1.1.0"
193 | esutils "^2.0.2"
194 | js-tokens "^3.0.0"
195 |
196 | babel-core@^6.11.4, babel-core@^6.24.1:
197 | version "6.24.1"
198 | resolved "https://registry.yarnpkg.com/babel-core/-/babel-core-6.24.1.tgz#8c428564dce1e1f41fb337ec34f4c3b022b5ad83"
199 | dependencies:
200 | babel-code-frame "^6.22.0"
201 | babel-generator "^6.24.1"
202 | babel-helpers "^6.24.1"
203 | babel-messages "^6.23.0"
204 | babel-register "^6.24.1"
205 | babel-runtime "^6.22.0"
206 | babel-template "^6.24.1"
207 | babel-traverse "^6.24.1"
208 | babel-types "^6.24.1"
209 | babylon "^6.11.0"
210 | convert-source-map "^1.1.0"
211 | debug "^2.1.1"
212 | json5 "^0.5.0"
213 | lodash "^4.2.0"
214 | minimatch "^3.0.2"
215 | path-is-absolute "^1.0.0"
216 | private "^0.1.6"
217 | slash "^1.0.0"
218 | source-map "^0.5.0"
219 |
220 | babel-eslint@^7.1.1:
221 | version "7.2.3"
222 | resolved "https://registry.yarnpkg.com/babel-eslint/-/babel-eslint-7.2.3.tgz#b2fe2d80126470f5c19442dc757253a897710827"
223 | dependencies:
224 | babel-code-frame "^6.22.0"
225 | babel-traverse "^6.23.1"
226 | babel-types "^6.23.0"
227 | babylon "^6.17.0"
228 |
229 | babel-generator@^6.24.1:
230 | version "6.24.1"
231 | resolved "https://registry.yarnpkg.com/babel-generator/-/babel-generator-6.24.1.tgz#e715f486c58ded25649d888944d52aa07c5d9497"
232 | dependencies:
233 | babel-messages "^6.23.0"
234 | babel-runtime "^6.22.0"
235 | babel-types "^6.24.1"
236 | detect-indent "^4.0.0"
237 | jsesc "^1.3.0"
238 | lodash "^4.2.0"
239 | source-map "^0.5.0"
240 | trim-right "^1.0.1"
241 |
242 | babel-helper-builder-binary-assignment-operator-visitor@^6.24.1:
243 | version "6.24.1"
244 | resolved "https://registry.yarnpkg.com/babel-helper-builder-binary-assignment-operator-visitor/-/babel-helper-builder-binary-assignment-operator-visitor-6.24.1.tgz#cce4517ada356f4220bcae8a02c2b346f9a56664"
245 | dependencies:
246 | babel-helper-explode-assignable-expression "^6.24.1"
247 | babel-runtime "^6.22.0"
248 | babel-types "^6.24.1"
249 |
250 | babel-helper-builder-react-jsx@^6.24.1:
251 | version "6.24.1"
252 | resolved "https://registry.yarnpkg.com/babel-helper-builder-react-jsx/-/babel-helper-builder-react-jsx-6.24.1.tgz#0ad7917e33c8d751e646daca4e77cc19377d2cbc"
253 | dependencies:
254 | babel-runtime "^6.22.0"
255 | babel-types "^6.24.1"
256 | esutils "^2.0.0"
257 |
258 | babel-helper-call-delegate@^6.24.1:
259 | version "6.24.1"
260 | resolved "https://registry.yarnpkg.com/babel-helper-call-delegate/-/babel-helper-call-delegate-6.24.1.tgz#ece6aacddc76e41c3461f88bfc575bd0daa2df8d"
261 | dependencies:
262 | babel-helper-hoist-variables "^6.24.1"
263 | babel-runtime "^6.22.0"
264 | babel-traverse "^6.24.1"
265 | babel-types "^6.24.1"
266 |
267 | babel-helper-define-map@^6.24.1:
268 | version "6.24.1"
269 | resolved "https://registry.yarnpkg.com/babel-helper-define-map/-/babel-helper-define-map-6.24.1.tgz#7a9747f258d8947d32d515f6aa1c7bd02204a080"
270 | dependencies:
271 | babel-helper-function-name "^6.24.1"
272 | babel-runtime "^6.22.0"
273 | babel-types "^6.24.1"
274 | lodash "^4.2.0"
275 |
276 | babel-helper-explode-assignable-expression@^6.24.1:
277 | version "6.24.1"
278 | resolved "https://registry.yarnpkg.com/babel-helper-explode-assignable-expression/-/babel-helper-explode-assignable-expression-6.24.1.tgz#f25b82cf7dc10433c55f70592d5746400ac22caa"
279 | dependencies:
280 | babel-runtime "^6.22.0"
281 | babel-traverse "^6.24.1"
282 | babel-types "^6.24.1"
283 |
284 | babel-helper-function-name@^6.24.1:
285 | version "6.24.1"
286 | resolved "https://registry.yarnpkg.com/babel-helper-function-name/-/babel-helper-function-name-6.24.1.tgz#d3475b8c03ed98242a25b48351ab18399d3580a9"
287 | dependencies:
288 | babel-helper-get-function-arity "^6.24.1"
289 | babel-runtime "^6.22.0"
290 | babel-template "^6.24.1"
291 | babel-traverse "^6.24.1"
292 | babel-types "^6.24.1"
293 |
294 | babel-helper-get-function-arity@^6.24.1:
295 | version "6.24.1"
296 | resolved "https://registry.yarnpkg.com/babel-helper-get-function-arity/-/babel-helper-get-function-arity-6.24.1.tgz#8f7782aa93407c41d3aa50908f89b031b1b6853d"
297 | dependencies:
298 | babel-runtime "^6.22.0"
299 | babel-types "^6.24.1"
300 |
301 | babel-helper-hoist-variables@^6.24.1:
302 | version "6.24.1"
303 | resolved "https://registry.yarnpkg.com/babel-helper-hoist-variables/-/babel-helper-hoist-variables-6.24.1.tgz#1ecb27689c9d25513eadbc9914a73f5408be7a76"
304 | dependencies:
305 | babel-runtime "^6.22.0"
306 | babel-types "^6.24.1"
307 |
308 | babel-helper-optimise-call-expression@^6.24.1:
309 | version "6.24.1"
310 | resolved "https://registry.yarnpkg.com/babel-helper-optimise-call-expression/-/babel-helper-optimise-call-expression-6.24.1.tgz#f7a13427ba9f73f8f4fa993c54a97882d1244257"
311 | dependencies:
312 | babel-runtime "^6.22.0"
313 | babel-types "^6.24.1"
314 |
315 | babel-helper-regex@^6.24.1:
316 | version "6.24.1"
317 | resolved "https://registry.yarnpkg.com/babel-helper-regex/-/babel-helper-regex-6.24.1.tgz#d36e22fab1008d79d88648e32116868128456ce8"
318 | dependencies:
319 | babel-runtime "^6.22.0"
320 | babel-types "^6.24.1"
321 | lodash "^4.2.0"
322 |
323 | babel-helper-remap-async-to-generator@^6.24.1:
324 | version "6.24.1"
325 | resolved "https://registry.yarnpkg.com/babel-helper-remap-async-to-generator/-/babel-helper-remap-async-to-generator-6.24.1.tgz#5ec581827ad723fecdd381f1c928390676e4551b"
326 | dependencies:
327 | babel-helper-function-name "^6.24.1"
328 | babel-runtime "^6.22.0"
329 | babel-template "^6.24.1"
330 | babel-traverse "^6.24.1"
331 | babel-types "^6.24.1"
332 |
333 | babel-helper-replace-supers@^6.24.1:
334 | version "6.24.1"
335 | resolved "https://registry.yarnpkg.com/babel-helper-replace-supers/-/babel-helper-replace-supers-6.24.1.tgz#bf6dbfe43938d17369a213ca8a8bf74b6a90ab1a"
336 | dependencies:
337 | babel-helper-optimise-call-expression "^6.24.1"
338 | babel-messages "^6.23.0"
339 | babel-runtime "^6.22.0"
340 | babel-template "^6.24.1"
341 | babel-traverse "^6.24.1"
342 | babel-types "^6.24.1"
343 |
344 | babel-helpers@^6.24.1:
345 | version "6.24.1"
346 | resolved "https://registry.yarnpkg.com/babel-helpers/-/babel-helpers-6.24.1.tgz#3471de9caec388e5c850e597e58a26ddf37602b2"
347 | dependencies:
348 | babel-runtime "^6.22.0"
349 | babel-template "^6.24.1"
350 |
351 | babel-loader@^7.0.0:
352 | version "7.0.0"
353 | resolved "https://registry.yarnpkg.com/babel-loader/-/babel-loader-7.0.0.tgz#2e43a66bee1fff4470533d0402c8a4532fafbaf7"
354 | dependencies:
355 | find-cache-dir "^0.1.1"
356 | loader-utils "^1.0.2"
357 | mkdirp "^0.5.1"
358 |
359 | babel-messages@^6.23.0:
360 | version "6.23.0"
361 | resolved "https://registry.yarnpkg.com/babel-messages/-/babel-messages-6.23.0.tgz#f3cdf4703858035b2a2951c6ec5edf6c62f2630e"
362 | dependencies:
363 | babel-runtime "^6.22.0"
364 |
365 | babel-plugin-check-es2015-constants@^6.22.0:
366 | version "6.22.0"
367 | resolved "https://registry.yarnpkg.com/babel-plugin-check-es2015-constants/-/babel-plugin-check-es2015-constants-6.22.0.tgz#35157b101426fd2ffd3da3f75c7d1e91835bbf8a"
368 | dependencies:
369 | babel-runtime "^6.22.0"
370 |
371 | babel-plugin-syntax-async-functions@^6.8.0:
372 | version "6.13.0"
373 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-async-functions/-/babel-plugin-syntax-async-functions-6.13.0.tgz#cad9cad1191b5ad634bf30ae0872391e0647be95"
374 |
375 | babel-plugin-syntax-async-generators@^6.5.0:
376 | version "6.13.0"
377 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-async-generators/-/babel-plugin-syntax-async-generators-6.13.0.tgz#6bc963ebb16eccbae6b92b596eb7f35c342a8b9a"
378 |
379 | babel-plugin-syntax-exponentiation-operator@^6.8.0:
380 | version "6.13.0"
381 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-exponentiation-operator/-/babel-plugin-syntax-exponentiation-operator-6.13.0.tgz#9ee7e8337290da95288201a6a57f4170317830de"
382 |
383 | babel-plugin-syntax-flow@^6.18.0:
384 | version "6.18.0"
385 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-flow/-/babel-plugin-syntax-flow-6.18.0.tgz#4c3ab20a2af26aa20cd25995c398c4eb70310c8d"
386 |
387 | babel-plugin-syntax-jsx@^6.3.13, babel-plugin-syntax-jsx@^6.8.0:
388 | version "6.18.0"
389 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-jsx/-/babel-plugin-syntax-jsx-6.18.0.tgz#0af32a9a6e13ca7a3fd5069e62d7b0f58d0d8946"
390 |
391 | babel-plugin-syntax-object-rest-spread@^6.8.0:
392 | version "6.13.0"
393 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-object-rest-spread/-/babel-plugin-syntax-object-rest-spread-6.13.0.tgz#fd6536f2bce13836ffa3a5458c4903a597bb3bf5"
394 |
395 | babel-plugin-syntax-trailing-function-commas@^6.22.0:
396 | version "6.22.0"
397 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-trailing-function-commas/-/babel-plugin-syntax-trailing-function-commas-6.22.0.tgz#ba0360937f8d06e40180a43fe0d5616fff532cf3"
398 |
399 | babel-plugin-transform-async-generator-functions@^6.24.1:
400 | version "6.24.1"
401 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-async-generator-functions/-/babel-plugin-transform-async-generator-functions-6.24.1.tgz#f058900145fd3e9907a6ddf28da59f215258a5db"
402 | dependencies:
403 | babel-helper-remap-async-to-generator "^6.24.1"
404 | babel-plugin-syntax-async-generators "^6.5.0"
405 | babel-runtime "^6.22.0"
406 |
407 | babel-plugin-transform-async-to-generator@^6.24.1:
408 | version "6.24.1"
409 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-async-to-generator/-/babel-plugin-transform-async-to-generator-6.24.1.tgz#6536e378aff6cb1d5517ac0e40eb3e9fc8d08761"
410 | dependencies:
411 | babel-helper-remap-async-to-generator "^6.24.1"
412 | babel-plugin-syntax-async-functions "^6.8.0"
413 | babel-runtime "^6.22.0"
414 |
415 | babel-plugin-transform-es2015-arrow-functions@^6.22.0:
416 | version "6.22.0"
417 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-arrow-functions/-/babel-plugin-transform-es2015-arrow-functions-6.22.0.tgz#452692cb711d5f79dc7f85e440ce41b9f244d221"
418 | dependencies:
419 | babel-runtime "^6.22.0"
420 |
421 | babel-plugin-transform-es2015-block-scoped-functions@^6.22.0:
422 | version "6.22.0"
423 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-block-scoped-functions/-/babel-plugin-transform-es2015-block-scoped-functions-6.22.0.tgz#bbc51b49f964d70cb8d8e0b94e820246ce3a6141"
424 | dependencies:
425 | babel-runtime "^6.22.0"
426 |
427 | babel-plugin-transform-es2015-block-scoping@^6.24.1:
428 | version "6.24.1"
429 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-block-scoping/-/babel-plugin-transform-es2015-block-scoping-6.24.1.tgz#76c295dc3a4741b1665adfd3167215dcff32a576"
430 | dependencies:
431 | babel-runtime "^6.22.0"
432 | babel-template "^6.24.1"
433 | babel-traverse "^6.24.1"
434 | babel-types "^6.24.1"
435 | lodash "^4.2.0"
436 |
437 | babel-plugin-transform-es2015-classes@^6.24.1:
438 | version "6.24.1"
439 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-classes/-/babel-plugin-transform-es2015-classes-6.24.1.tgz#5a4c58a50c9c9461e564b4b2a3bfabc97a2584db"
440 | dependencies:
441 | babel-helper-define-map "^6.24.1"
442 | babel-helper-function-name "^6.24.1"
443 | babel-helper-optimise-call-expression "^6.24.1"
444 | babel-helper-replace-supers "^6.24.1"
445 | babel-messages "^6.23.0"
446 | babel-runtime "^6.22.0"
447 | babel-template "^6.24.1"
448 | babel-traverse "^6.24.1"
449 | babel-types "^6.24.1"
450 |
451 | babel-plugin-transform-es2015-computed-properties@^6.24.1:
452 | version "6.24.1"
453 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-computed-properties/-/babel-plugin-transform-es2015-computed-properties-6.24.1.tgz#6fe2a8d16895d5634f4cd999b6d3480a308159b3"
454 | dependencies:
455 | babel-runtime "^6.22.0"
456 | babel-template "^6.24.1"
457 |
458 | babel-plugin-transform-es2015-destructuring@^6.22.0:
459 | version "6.23.0"
460 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-destructuring/-/babel-plugin-transform-es2015-destructuring-6.23.0.tgz#997bb1f1ab967f682d2b0876fe358d60e765c56d"
461 | dependencies:
462 | babel-runtime "^6.22.0"
463 |
464 | babel-plugin-transform-es2015-duplicate-keys@^6.24.1:
465 | version "6.24.1"
466 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-duplicate-keys/-/babel-plugin-transform-es2015-duplicate-keys-6.24.1.tgz#73eb3d310ca969e3ef9ec91c53741a6f1576423e"
467 | dependencies:
468 | babel-runtime "^6.22.0"
469 | babel-types "^6.24.1"
470 |
471 | babel-plugin-transform-es2015-for-of@^6.22.0:
472 | version "6.23.0"
473 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-for-of/-/babel-plugin-transform-es2015-for-of-6.23.0.tgz#f47c95b2b613df1d3ecc2fdb7573623c75248691"
474 | dependencies:
475 | babel-runtime "^6.22.0"
476 |
477 | babel-plugin-transform-es2015-function-name@^6.24.1:
478 | version "6.24.1"
479 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-function-name/-/babel-plugin-transform-es2015-function-name-6.24.1.tgz#834c89853bc36b1af0f3a4c5dbaa94fd8eacaa8b"
480 | dependencies:
481 | babel-helper-function-name "^6.24.1"
482 | babel-runtime "^6.22.0"
483 | babel-types "^6.24.1"
484 |
485 | babel-plugin-transform-es2015-literals@^6.22.0:
486 | version "6.22.0"
487 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-literals/-/babel-plugin-transform-es2015-literals-6.22.0.tgz#4f54a02d6cd66cf915280019a31d31925377ca2e"
488 | dependencies:
489 | babel-runtime "^6.22.0"
490 |
491 | babel-plugin-transform-es2015-modules-amd@^6.24.1:
492 | version "6.24.1"
493 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-modules-amd/-/babel-plugin-transform-es2015-modules-amd-6.24.1.tgz#3b3e54017239842d6d19c3011c4bd2f00a00d154"
494 | dependencies:
495 | babel-plugin-transform-es2015-modules-commonjs "^6.24.1"
496 | babel-runtime "^6.22.0"
497 | babel-template "^6.24.1"
498 |
499 | babel-plugin-transform-es2015-modules-commonjs@^6.24.1:
500 | version "6.24.1"
501 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-modules-commonjs/-/babel-plugin-transform-es2015-modules-commonjs-6.24.1.tgz#d3e310b40ef664a36622200097c6d440298f2bfe"
502 | dependencies:
503 | babel-plugin-transform-strict-mode "^6.24.1"
504 | babel-runtime "^6.22.0"
505 | babel-template "^6.24.1"
506 | babel-types "^6.24.1"
507 |
508 | babel-plugin-transform-es2015-modules-systemjs@^6.24.1:
509 | version "6.24.1"
510 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-modules-systemjs/-/babel-plugin-transform-es2015-modules-systemjs-6.24.1.tgz#ff89a142b9119a906195f5f106ecf305d9407d23"
511 | dependencies:
512 | babel-helper-hoist-variables "^6.24.1"
513 | babel-runtime "^6.22.0"
514 | babel-template "^6.24.1"
515 |
516 | babel-plugin-transform-es2015-modules-umd@^6.24.1:
517 | version "6.24.1"
518 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-modules-umd/-/babel-plugin-transform-es2015-modules-umd-6.24.1.tgz#ac997e6285cd18ed6176adb607d602344ad38468"
519 | dependencies:
520 | babel-plugin-transform-es2015-modules-amd "^6.24.1"
521 | babel-runtime "^6.22.0"
522 | babel-template "^6.24.1"
523 |
524 | babel-plugin-transform-es2015-object-super@^6.24.1:
525 | version "6.24.1"
526 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-object-super/-/babel-plugin-transform-es2015-object-super-6.24.1.tgz#24cef69ae21cb83a7f8603dad021f572eb278f8d"
527 | dependencies:
528 | babel-helper-replace-supers "^6.24.1"
529 | babel-runtime "^6.22.0"
530 |
531 | babel-plugin-transform-es2015-parameters@^6.24.1:
532 | version "6.24.1"
533 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-parameters/-/babel-plugin-transform-es2015-parameters-6.24.1.tgz#57ac351ab49caf14a97cd13b09f66fdf0a625f2b"
534 | dependencies:
535 | babel-helper-call-delegate "^6.24.1"
536 | babel-helper-get-function-arity "^6.24.1"
537 | babel-runtime "^6.22.0"
538 | babel-template "^6.24.1"
539 | babel-traverse "^6.24.1"
540 | babel-types "^6.24.1"
541 |
542 | babel-plugin-transform-es2015-shorthand-properties@^6.24.1:
543 | version "6.24.1"
544 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-shorthand-properties/-/babel-plugin-transform-es2015-shorthand-properties-6.24.1.tgz#24f875d6721c87661bbd99a4622e51f14de38aa0"
545 | dependencies:
546 | babel-runtime "^6.22.0"
547 | babel-types "^6.24.1"
548 |
549 | babel-plugin-transform-es2015-spread@^6.22.0:
550 | version "6.22.0"
551 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-spread/-/babel-plugin-transform-es2015-spread-6.22.0.tgz#d6d68a99f89aedc4536c81a542e8dd9f1746f8d1"
552 | dependencies:
553 | babel-runtime "^6.22.0"
554 |
555 | babel-plugin-transform-es2015-sticky-regex@^6.24.1:
556 | version "6.24.1"
557 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-sticky-regex/-/babel-plugin-transform-es2015-sticky-regex-6.24.1.tgz#00c1cdb1aca71112cdf0cf6126c2ed6b457ccdbc"
558 | dependencies:
559 | babel-helper-regex "^6.24.1"
560 | babel-runtime "^6.22.0"
561 | babel-types "^6.24.1"
562 |
563 | babel-plugin-transform-es2015-template-literals@^6.22.0:
564 | version "6.22.0"
565 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-template-literals/-/babel-plugin-transform-es2015-template-literals-6.22.0.tgz#a84b3450f7e9f8f1f6839d6d687da84bb1236d8d"
566 | dependencies:
567 | babel-runtime "^6.22.0"
568 |
569 | babel-plugin-transform-es2015-typeof-symbol@^6.22.0:
570 | version "6.23.0"
571 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-typeof-symbol/-/babel-plugin-transform-es2015-typeof-symbol-6.23.0.tgz#dec09f1cddff94b52ac73d505c84df59dcceb372"
572 | dependencies:
573 | babel-runtime "^6.22.0"
574 |
575 | babel-plugin-transform-es2015-unicode-regex@^6.24.1:
576 | version "6.24.1"
577 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-es2015-unicode-regex/-/babel-plugin-transform-es2015-unicode-regex-6.24.1.tgz#d38b12f42ea7323f729387f18a7c5ae1faeb35e9"
578 | dependencies:
579 | babel-helper-regex "^6.24.1"
580 | babel-runtime "^6.22.0"
581 | regexpu-core "^2.0.0"
582 |
583 | babel-plugin-transform-exponentiation-operator@^6.24.1:
584 | version "6.24.1"
585 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-exponentiation-operator/-/babel-plugin-transform-exponentiation-operator-6.24.1.tgz#2ab0c9c7f3098fa48907772bb813fe41e8de3a0e"
586 | dependencies:
587 | babel-helper-builder-binary-assignment-operator-visitor "^6.24.1"
588 | babel-plugin-syntax-exponentiation-operator "^6.8.0"
589 | babel-runtime "^6.22.0"
590 |
591 | babel-plugin-transform-flow-strip-types@^6.22.0:
592 | version "6.22.0"
593 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-flow-strip-types/-/babel-plugin-transform-flow-strip-types-6.22.0.tgz#84cb672935d43714fdc32bce84568d87441cf7cf"
594 | dependencies:
595 | babel-plugin-syntax-flow "^6.18.0"
596 | babel-runtime "^6.22.0"
597 |
598 | babel-plugin-transform-object-rest-spread@^6.22.0:
599 | version "6.23.0"
600 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-object-rest-spread/-/babel-plugin-transform-object-rest-spread-6.23.0.tgz#875d6bc9be761c58a2ae3feee5dc4895d8c7f921"
601 | dependencies:
602 | babel-plugin-syntax-object-rest-spread "^6.8.0"
603 | babel-runtime "^6.22.0"
604 |
605 | babel-plugin-transform-react-display-name@^6.23.0:
606 | version "6.23.0"
607 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-react-display-name/-/babel-plugin-transform-react-display-name-6.23.0.tgz#4398910c358441dc4cef18787264d0412ed36b37"
608 | dependencies:
609 | babel-runtime "^6.22.0"
610 |
611 | babel-plugin-transform-react-jsx-self@^6.22.0:
612 | version "6.22.0"
613 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-react-jsx-self/-/babel-plugin-transform-react-jsx-self-6.22.0.tgz#df6d80a9da2612a121e6ddd7558bcbecf06e636e"
614 | dependencies:
615 | babel-plugin-syntax-jsx "^6.8.0"
616 | babel-runtime "^6.22.0"
617 |
618 | babel-plugin-transform-react-jsx-source@^6.22.0:
619 | version "6.22.0"
620 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-react-jsx-source/-/babel-plugin-transform-react-jsx-source-6.22.0.tgz#66ac12153f5cd2d17b3c19268f4bf0197f44ecd6"
621 | dependencies:
622 | babel-plugin-syntax-jsx "^6.8.0"
623 | babel-runtime "^6.22.0"
624 |
625 | babel-plugin-transform-react-jsx@^6.24.1:
626 | version "6.24.1"
627 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-react-jsx/-/babel-plugin-transform-react-jsx-6.24.1.tgz#840a028e7df460dfc3a2d29f0c0d91f6376e66a3"
628 | dependencies:
629 | babel-helper-builder-react-jsx "^6.24.1"
630 | babel-plugin-syntax-jsx "^6.8.0"
631 | babel-runtime "^6.22.0"
632 |
633 | babel-plugin-transform-regenerator@^6.24.1:
634 | version "6.24.1"
635 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-regenerator/-/babel-plugin-transform-regenerator-6.24.1.tgz#b8da305ad43c3c99b4848e4fe4037b770d23c418"
636 | dependencies:
637 | regenerator-transform "0.9.11"
638 |
639 | babel-plugin-transform-strict-mode@^6.24.1:
640 | version "6.24.1"
641 | resolved "https://registry.yarnpkg.com/babel-plugin-transform-strict-mode/-/babel-plugin-transform-strict-mode-6.24.1.tgz#d5faf7aa578a65bbe591cf5edae04a0c67020758"
642 | dependencies:
643 | babel-runtime "^6.22.0"
644 | babel-types "^6.24.1"
645 |
646 | babel-polyfill@^6.23.0:
647 | version "6.23.0"
648 | resolved "https://registry.yarnpkg.com/babel-polyfill/-/babel-polyfill-6.23.0.tgz#8364ca62df8eafb830499f699177466c3b03499d"
649 | dependencies:
650 | babel-runtime "^6.22.0"
651 | core-js "^2.4.0"
652 | regenerator-runtime "^0.10.0"
653 |
654 | babel-preset-es2015@^6.24.1:
655 | version "6.24.1"
656 | resolved "https://registry.yarnpkg.com/babel-preset-es2015/-/babel-preset-es2015-6.24.1.tgz#d44050d6bc2c9feea702aaf38d727a0210538939"
657 | dependencies:
658 | babel-plugin-check-es2015-constants "^6.22.0"
659 | babel-plugin-transform-es2015-arrow-functions "^6.22.0"
660 | babel-plugin-transform-es2015-block-scoped-functions "^6.22.0"
661 | babel-plugin-transform-es2015-block-scoping "^6.24.1"
662 | babel-plugin-transform-es2015-classes "^6.24.1"
663 | babel-plugin-transform-es2015-computed-properties "^6.24.1"
664 | babel-plugin-transform-es2015-destructuring "^6.22.0"
665 | babel-plugin-transform-es2015-duplicate-keys "^6.24.1"
666 | babel-plugin-transform-es2015-for-of "^6.22.0"
667 | babel-plugin-transform-es2015-function-name "^6.24.1"
668 | babel-plugin-transform-es2015-literals "^6.22.0"
669 | babel-plugin-transform-es2015-modules-amd "^6.24.1"
670 | babel-plugin-transform-es2015-modules-commonjs "^6.24.1"
671 | babel-plugin-transform-es2015-modules-systemjs "^6.24.1"
672 | babel-plugin-transform-es2015-modules-umd "^6.24.1"
673 | babel-plugin-transform-es2015-object-super "^6.24.1"
674 | babel-plugin-transform-es2015-parameters "^6.24.1"
675 | babel-plugin-transform-es2015-shorthand-properties "^6.24.1"
676 | babel-plugin-transform-es2015-spread "^6.22.0"
677 | babel-plugin-transform-es2015-sticky-regex "^6.24.1"
678 | babel-plugin-transform-es2015-template-literals "^6.22.0"
679 | babel-plugin-transform-es2015-typeof-symbol "^6.22.0"
680 | babel-plugin-transform-es2015-unicode-regex "^6.24.1"
681 | babel-plugin-transform-regenerator "^6.24.1"
682 |
683 | babel-preset-es2016@^6.24.1:
684 | version "6.24.1"
685 | resolved "https://registry.yarnpkg.com/babel-preset-es2016/-/babel-preset-es2016-6.24.1.tgz#f900bf93e2ebc0d276df9b8ab59724ebfd959f8b"
686 | dependencies:
687 | babel-plugin-transform-exponentiation-operator "^6.24.1"
688 |
689 | babel-preset-es2017@^6.24.1:
690 | version "6.24.1"
691 | resolved "https://registry.yarnpkg.com/babel-preset-es2017/-/babel-preset-es2017-6.24.1.tgz#597beadfb9f7f208bcfd8a12e9b2b29b8b2f14d1"
692 | dependencies:
693 | babel-plugin-syntax-trailing-function-commas "^6.22.0"
694 | babel-plugin-transform-async-to-generator "^6.24.1"
695 |
696 | babel-preset-flow@^6.23.0:
697 | version "6.23.0"
698 | resolved "https://registry.yarnpkg.com/babel-preset-flow/-/babel-preset-flow-6.23.0.tgz#e71218887085ae9a24b5be4169affb599816c49d"
699 | dependencies:
700 | babel-plugin-transform-flow-strip-types "^6.22.0"
701 |
702 | babel-preset-latest@^6.24.0:
703 | version "6.24.1"
704 | resolved "https://registry.yarnpkg.com/babel-preset-latest/-/babel-preset-latest-6.24.1.tgz#677de069154a7485c2d25c577c02f624b85b85e8"
705 | dependencies:
706 | babel-preset-es2015 "^6.24.1"
707 | babel-preset-es2016 "^6.24.1"
708 | babel-preset-es2017 "^6.24.1"
709 |
710 | babel-preset-react@^6.24.1:
711 | version "6.24.1"
712 | resolved "https://registry.yarnpkg.com/babel-preset-react/-/babel-preset-react-6.24.1.tgz#ba69dfaea45fc3ec639b6a4ecea6e17702c91380"
713 | dependencies:
714 | babel-plugin-syntax-jsx "^6.3.13"
715 | babel-plugin-transform-react-display-name "^6.23.0"
716 | babel-plugin-transform-react-jsx "^6.24.1"
717 | babel-plugin-transform-react-jsx-self "^6.22.0"
718 | babel-plugin-transform-react-jsx-source "^6.22.0"
719 | babel-preset-flow "^6.23.0"
720 |
721 | babel-preset-stage-3@^6.22.0:
722 | version "6.24.1"
723 | resolved "https://registry.yarnpkg.com/babel-preset-stage-3/-/babel-preset-stage-3-6.24.1.tgz#836ada0a9e7a7fa37cb138fb9326f87934a48395"
724 | dependencies:
725 | babel-plugin-syntax-trailing-function-commas "^6.22.0"
726 | babel-plugin-transform-async-generator-functions "^6.24.1"
727 | babel-plugin-transform-async-to-generator "^6.24.1"
728 | babel-plugin-transform-exponentiation-operator "^6.24.1"
729 | babel-plugin-transform-object-rest-spread "^6.22.0"
730 |
731 | babel-register@^6.24.1:
732 | version "6.24.1"
733 | resolved "https://registry.yarnpkg.com/babel-register/-/babel-register-6.24.1.tgz#7e10e13a2f71065bdfad5a1787ba45bca6ded75f"
734 | dependencies:
735 | babel-core "^6.24.1"
736 | babel-runtime "^6.22.0"
737 | core-js "^2.4.0"
738 | home-or-tmp "^2.0.0"
739 | lodash "^4.2.0"
740 | mkdirp "^0.5.1"
741 | source-map-support "^0.4.2"
742 |
743 | babel-runtime@^6.18.0, babel-runtime@^6.22.0:
744 | version "6.23.0"
745 | resolved "https://registry.yarnpkg.com/babel-runtime/-/babel-runtime-6.23.0.tgz#0a9489f144de70efb3ce4300accdb329e2fc543b"
746 | dependencies:
747 | core-js "^2.4.0"
748 | regenerator-runtime "^0.10.0"
749 |
750 | babel-template@^6.24.1:
751 | version "6.24.1"
752 | resolved "https://registry.yarnpkg.com/babel-template/-/babel-template-6.24.1.tgz#04ae514f1f93b3a2537f2a0f60a5a45fb8308333"
753 | dependencies:
754 | babel-runtime "^6.22.0"
755 | babel-traverse "^6.24.1"
756 | babel-types "^6.24.1"
757 | babylon "^6.11.0"
758 | lodash "^4.2.0"
759 |
760 | babel-traverse@^6.23.1, babel-traverse@^6.24.1:
761 | version "6.24.1"
762 | resolved "https://registry.yarnpkg.com/babel-traverse/-/babel-traverse-6.24.1.tgz#ab36673fd356f9a0948659e7b338d5feadb31695"
763 | dependencies:
764 | babel-code-frame "^6.22.0"
765 | babel-messages "^6.23.0"
766 | babel-runtime "^6.22.0"
767 | babel-types "^6.24.1"
768 | babylon "^6.15.0"
769 | debug "^2.2.0"
770 | globals "^9.0.0"
771 | invariant "^2.2.0"
772 | lodash "^4.2.0"
773 |
774 | babel-types@^6.19.0, babel-types@^6.23.0, babel-types@^6.24.1:
775 | version "6.24.1"
776 | resolved "https://registry.yarnpkg.com/babel-types/-/babel-types-6.24.1.tgz#a136879dc15b3606bda0d90c1fc74304c2ff0975"
777 | dependencies:
778 | babel-runtime "^6.22.0"
779 | esutils "^2.0.2"
780 | lodash "^4.2.0"
781 | to-fast-properties "^1.0.1"
782 |
783 | babylon@^6.11.0, babylon@^6.15.0, babylon@^6.17.0:
784 | version "6.17.1"
785 | resolved "https://registry.yarnpkg.com/babylon/-/babylon-6.17.1.tgz#17f14fddf361b695981fe679385e4f1c01ebd86f"
786 |
787 | balanced-match@^0.4.1:
788 | version "0.4.2"
789 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-0.4.2.tgz#cb3f3e3c732dc0f01ee70b403f302e61d7709838"
790 |
791 | base64-js@^1.0.2:
792 | version "1.2.0"
793 | resolved "https://registry.yarnpkg.com/base64-js/-/base64-js-1.2.0.tgz#a39992d723584811982be5e290bb6a53d86700f1"
794 |
795 | batch@0.5.3:
796 | version "0.5.3"
797 | resolved "https://registry.yarnpkg.com/batch/-/batch-0.5.3.tgz#3f3414f380321743bfc1042f9a83ff1d5824d464"
798 |
799 | bcrypt-pbkdf@^1.0.0:
800 | version "1.0.1"
801 | resolved "https://registry.yarnpkg.com/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.1.tgz#63bc5dcb61331b92bc05fd528953c33462a06f8d"
802 | dependencies:
803 | tweetnacl "^0.14.3"
804 |
805 | big.js@^3.1.3:
806 | version "3.1.3"
807 | resolved "https://registry.yarnpkg.com/big.js/-/big.js-3.1.3.tgz#4cada2193652eb3ca9ec8e55c9015669c9806978"
808 |
809 | binary-extensions@^1.0.0:
810 | version "1.8.0"
811 | resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-1.8.0.tgz#48ec8d16df4377eae5fa5884682480af4d95c774"
812 |
813 | block-stream@*:
814 | version "0.0.9"
815 | resolved "https://registry.yarnpkg.com/block-stream/-/block-stream-0.0.9.tgz#13ebfe778a03205cfe03751481ebb4b3300c126a"
816 | dependencies:
817 | inherits "~2.0.0"
818 |
819 | bn.js@^4.0.0, bn.js@^4.1.0, bn.js@^4.1.1, bn.js@^4.4.0:
820 | version "4.11.6"
821 | resolved "https://registry.yarnpkg.com/bn.js/-/bn.js-4.11.6.tgz#53344adb14617a13f6e8dd2ce28905d1c0ba3215"
822 |
823 | boom@2.x.x:
824 | version "2.10.1"
825 | resolved "https://registry.yarnpkg.com/boom/-/boom-2.10.1.tgz#39c8918ceff5799f83f9492a848f625add0c766f"
826 | dependencies:
827 | hoek "2.x.x"
828 |
829 | brace-expansion@^1.1.7:
830 | version "1.1.7"
831 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.7.tgz#3effc3c50e000531fb720eaff80f0ae8ef23cf59"
832 | dependencies:
833 | balanced-match "^0.4.1"
834 | concat-map "0.0.1"
835 |
836 | braces@^1.8.2:
837 | version "1.8.5"
838 | resolved "https://registry.yarnpkg.com/braces/-/braces-1.8.5.tgz#ba77962e12dff969d6b76711e914b737857bf6a7"
839 | dependencies:
840 | expand-range "^1.8.1"
841 | preserve "^0.2.0"
842 | repeat-element "^1.1.2"
843 |
844 | brorand@^1.0.1:
845 | version "1.1.0"
846 | resolved "https://registry.yarnpkg.com/brorand/-/brorand-1.1.0.tgz#12c25efe40a45e3c323eb8675a0a0ce57b22371f"
847 |
848 | browserify-aes@^1.0.0, browserify-aes@^1.0.4:
849 | version "1.0.6"
850 | resolved "https://registry.yarnpkg.com/browserify-aes/-/browserify-aes-1.0.6.tgz#5e7725dbdef1fd5930d4ebab48567ce451c48a0a"
851 | dependencies:
852 | buffer-xor "^1.0.2"
853 | cipher-base "^1.0.0"
854 | create-hash "^1.1.0"
855 | evp_bytestokey "^1.0.0"
856 | inherits "^2.0.1"
857 |
858 | browserify-cipher@^1.0.0:
859 | version "1.0.0"
860 | resolved "https://registry.yarnpkg.com/browserify-cipher/-/browserify-cipher-1.0.0.tgz#9988244874bf5ed4e28da95666dcd66ac8fc363a"
861 | dependencies:
862 | browserify-aes "^1.0.4"
863 | browserify-des "^1.0.0"
864 | evp_bytestokey "^1.0.0"
865 |
866 | browserify-des@^1.0.0:
867 | version "1.0.0"
868 | resolved "https://registry.yarnpkg.com/browserify-des/-/browserify-des-1.0.0.tgz#daa277717470922ed2fe18594118a175439721dd"
869 | dependencies:
870 | cipher-base "^1.0.1"
871 | des.js "^1.0.0"
872 | inherits "^2.0.1"
873 |
874 | browserify-rsa@^4.0.0:
875 | version "4.0.1"
876 | resolved "https://registry.yarnpkg.com/browserify-rsa/-/browserify-rsa-4.0.1.tgz#21e0abfaf6f2029cf2fafb133567a701d4135524"
877 | dependencies:
878 | bn.js "^4.1.0"
879 | randombytes "^2.0.1"
880 |
881 | browserify-sign@^4.0.0:
882 | version "4.0.4"
883 | resolved "https://registry.yarnpkg.com/browserify-sign/-/browserify-sign-4.0.4.tgz#aa4eb68e5d7b658baa6bf6a57e630cbd7a93d298"
884 | dependencies:
885 | bn.js "^4.1.1"
886 | browserify-rsa "^4.0.0"
887 | create-hash "^1.1.0"
888 | create-hmac "^1.1.2"
889 | elliptic "^6.0.0"
890 | inherits "^2.0.1"
891 | parse-asn1 "^5.0.0"
892 |
893 | browserify-zlib@^0.1.4:
894 | version "0.1.4"
895 | resolved "https://registry.yarnpkg.com/browserify-zlib/-/browserify-zlib-0.1.4.tgz#bb35f8a519f600e0fa6b8485241c979d0141fb2d"
896 | dependencies:
897 | pako "~0.2.0"
898 |
899 | buffer-shims@~1.0.0:
900 | version "1.0.0"
901 | resolved "https://registry.yarnpkg.com/buffer-shims/-/buffer-shims-1.0.0.tgz#9978ce317388c649ad8793028c3477ef044a8b51"
902 |
903 | buffer-xor@^1.0.2:
904 | version "1.0.3"
905 | resolved "https://registry.yarnpkg.com/buffer-xor/-/buffer-xor-1.0.3.tgz#26e61ed1422fb70dd42e6e36729ed51d855fe8d9"
906 |
907 | buffer@^4.3.0:
908 | version "4.9.1"
909 | resolved "https://registry.yarnpkg.com/buffer/-/buffer-4.9.1.tgz#6d1bb601b07a4efced97094132093027c95bc298"
910 | dependencies:
911 | base64-js "^1.0.2"
912 | ieee754 "^1.1.4"
913 | isarray "^1.0.0"
914 |
915 | builtin-modules@^1.0.0:
916 | version "1.1.1"
917 | resolved "https://registry.yarnpkg.com/builtin-modules/-/builtin-modules-1.1.1.tgz#270f076c5a72c02f5b65a47df94c5fe3a278892f"
918 |
919 | builtin-status-codes@^3.0.0:
920 | version "3.0.0"
921 | resolved "https://registry.yarnpkg.com/builtin-status-codes/-/builtin-status-codes-3.0.0.tgz#85982878e21b98e1c66425e03d0174788f569ee8"
922 |
923 | bytes@2.3.0:
924 | version "2.3.0"
925 | resolved "https://registry.yarnpkg.com/bytes/-/bytes-2.3.0.tgz#d5b680a165b6201739acb611542aabc2d8ceb070"
926 |
927 | camelcase@^1.0.2:
928 | version "1.2.1"
929 | resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-1.2.1.tgz#9bb5304d2e0b56698b2c758b08a3eaa9daa58a39"
930 |
931 | camelcase@^3.0.0:
932 | version "3.0.0"
933 | resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-3.0.0.tgz#32fc4b9fcdaf845fcdf7e73bb97cac2261f0ab0a"
934 |
935 | caseless@~0.12.0:
936 | version "0.12.0"
937 | resolved "https://registry.yarnpkg.com/caseless/-/caseless-0.12.0.tgz#1b681c21ff84033c826543090689420d187151dc"
938 |
939 | center-align@^0.1.1:
940 | version "0.1.3"
941 | resolved "https://registry.yarnpkg.com/center-align/-/center-align-0.1.3.tgz#aa0d32629b6ee972200411cbd4461c907bc2b7ad"
942 | dependencies:
943 | align-text "^0.1.3"
944 | lazy-cache "^1.0.3"
945 |
946 | chalk@^1.1.0:
947 | version "1.1.3"
948 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-1.1.3.tgz#a8115c55e4a702fe4d150abd3872822a7e09fc98"
949 | dependencies:
950 | ansi-styles "^2.2.1"
951 | escape-string-regexp "^1.0.2"
952 | has-ansi "^2.0.0"
953 | strip-ansi "^3.0.0"
954 | supports-color "^2.0.0"
955 |
956 | chokidar@^1.4.3, chokidar@^1.6.0, chokidar@^1.6.1:
957 | version "1.7.0"
958 | resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-1.7.0.tgz#798e689778151c8076b4b360e5edd28cda2bb468"
959 | dependencies:
960 | anymatch "^1.3.0"
961 | async-each "^1.0.0"
962 | glob-parent "^2.0.0"
963 | inherits "^2.0.1"
964 | is-binary-path "^1.0.0"
965 | is-glob "^2.0.0"
966 | path-is-absolute "^1.0.0"
967 | readdirp "^2.0.0"
968 | optionalDependencies:
969 | fsevents "^1.0.0"
970 |
971 | cipher-base@^1.0.0, cipher-base@^1.0.1, cipher-base@^1.0.3:
972 | version "1.0.3"
973 | resolved "https://registry.yarnpkg.com/cipher-base/-/cipher-base-1.0.3.tgz#eeabf194419ce900da3018c207d212f2a6df0a07"
974 | dependencies:
975 | inherits "^2.0.1"
976 |
977 | cliui@^2.1.0:
978 | version "2.1.0"
979 | resolved "https://registry.yarnpkg.com/cliui/-/cliui-2.1.0.tgz#4b475760ff80264c762c3a1719032e91c7fea0d1"
980 | dependencies:
981 | center-align "^0.1.1"
982 | right-align "^0.1.1"
983 | wordwrap "0.0.2"
984 |
985 | cliui@^3.2.0:
986 | version "3.2.0"
987 | resolved "https://registry.yarnpkg.com/cliui/-/cliui-3.2.0.tgz#120601537a916d29940f934da3b48d585a39213d"
988 | dependencies:
989 | string-width "^1.0.1"
990 | strip-ansi "^3.0.1"
991 | wrap-ansi "^2.0.0"
992 |
993 | co@^4.6.0:
994 | version "4.6.0"
995 | resolved "https://registry.yarnpkg.com/co/-/co-4.6.0.tgz#6ea6bdf3d853ae54ccb8e47bfa0bf3f9031fb184"
996 |
997 | code-point-at@^1.0.0:
998 | version "1.1.0"
999 | resolved "https://registry.yarnpkg.com/code-point-at/-/code-point-at-1.1.0.tgz#0d070b4d043a5bea33a2f1a40e2edb3d9a4ccf77"
1000 |
1001 | combined-stream@^1.0.5, combined-stream@~1.0.5:
1002 | version "1.0.5"
1003 | resolved "https://registry.yarnpkg.com/combined-stream/-/combined-stream-1.0.5.tgz#938370a57b4a51dea2c77c15d5c5fdf895164009"
1004 | dependencies:
1005 | delayed-stream "~1.0.0"
1006 |
1007 | commander@^2.8.1:
1008 | version "2.9.0"
1009 | resolved "https://registry.yarnpkg.com/commander/-/commander-2.9.0.tgz#9c99094176e12240cb22d6c5146098400fe0f7d4"
1010 | dependencies:
1011 | graceful-readlink ">= 1.0.0"
1012 |
1013 | commondir@^1.0.1:
1014 | version "1.0.1"
1015 | resolved "https://registry.yarnpkg.com/commondir/-/commondir-1.0.1.tgz#ddd800da0c66127393cca5950ea968a3aaf1253b"
1016 |
1017 | compressible@~2.0.8:
1018 | version "2.0.10"
1019 | resolved "https://registry.yarnpkg.com/compressible/-/compressible-2.0.10.tgz#feda1c7f7617912732b29bf8cf26252a20b9eecd"
1020 | dependencies:
1021 | mime-db ">= 1.27.0 < 2"
1022 |
1023 | compression@^1.5.2:
1024 | version "1.6.2"
1025 | resolved "https://registry.yarnpkg.com/compression/-/compression-1.6.2.tgz#cceb121ecc9d09c52d7ad0c3350ea93ddd402bc3"
1026 | dependencies:
1027 | accepts "~1.3.3"
1028 | bytes "2.3.0"
1029 | compressible "~2.0.8"
1030 | debug "~2.2.0"
1031 | on-headers "~1.0.1"
1032 | vary "~1.1.0"
1033 |
1034 | concat-map@0.0.1:
1035 | version "0.0.1"
1036 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
1037 |
1038 | connect-history-api-fallback@^1.3.0:
1039 | version "1.3.0"
1040 | resolved "https://registry.yarnpkg.com/connect-history-api-fallback/-/connect-history-api-fallback-1.3.0.tgz#e51d17f8f0ef0db90a64fdb47de3051556e9f169"
1041 |
1042 | console-browserify@^1.1.0:
1043 | version "1.1.0"
1044 | resolved "https://registry.yarnpkg.com/console-browserify/-/console-browserify-1.1.0.tgz#f0241c45730a9fc6323b206dbf38edc741d0bb10"
1045 | dependencies:
1046 | date-now "^0.1.4"
1047 |
1048 | console-control-strings@^1.0.0, console-control-strings@~1.1.0:
1049 | version "1.1.0"
1050 | resolved "https://registry.yarnpkg.com/console-control-strings/-/console-control-strings-1.1.0.tgz#3d7cf4464db6446ea644bf4b39507f9851008e8e"
1051 |
1052 | constants-browserify@^1.0.0:
1053 | version "1.0.0"
1054 | resolved "https://registry.yarnpkg.com/constants-browserify/-/constants-browserify-1.0.0.tgz#c20b96d8c617748aaf1c16021760cd27fcb8cb75"
1055 |
1056 | content-disposition@0.5.2:
1057 | version "0.5.2"
1058 | resolved "https://registry.yarnpkg.com/content-disposition/-/content-disposition-0.5.2.tgz#0cf68bb9ddf5f2be7961c3a85178cb85dba78cb4"
1059 |
1060 | content-type@~1.0.2:
1061 | version "1.0.2"
1062 | resolved "https://registry.yarnpkg.com/content-type/-/content-type-1.0.2.tgz#b7d113aee7a8dd27bd21133c4dc2529df1721eed"
1063 |
1064 | convert-source-map@^1.1.0:
1065 | version "1.5.0"
1066 | resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-1.5.0.tgz#9acd70851c6d5dfdd93d9282e5edf94a03ff46b5"
1067 |
1068 | cookie-signature@1.0.6:
1069 | version "1.0.6"
1070 | resolved "https://registry.yarnpkg.com/cookie-signature/-/cookie-signature-1.0.6.tgz#e303a882b342cc3ee8ca513a79999734dab3ae2c"
1071 |
1072 | cookie@0.3.1:
1073 | version "0.3.1"
1074 | resolved "https://registry.yarnpkg.com/cookie/-/cookie-0.3.1.tgz#e7e0a1f9ef43b4c8ba925c5c5a96e806d16873bb"
1075 |
1076 | core-js@^1.0.0:
1077 | version "1.2.7"
1078 | resolved "https://registry.yarnpkg.com/core-js/-/core-js-1.2.7.tgz#652294c14651db28fa93bd2d5ff2983a4f08c636"
1079 |
1080 | core-js@^2.4.0:
1081 | version "2.4.1"
1082 | resolved "https://registry.yarnpkg.com/core-js/-/core-js-2.4.1.tgz#4de911e667b0eae9124e34254b53aea6fc618d3e"
1083 |
1084 | core-util-is@~1.0.0:
1085 | version "1.0.2"
1086 | resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7"
1087 |
1088 | create-ecdh@^4.0.0:
1089 | version "4.0.0"
1090 | resolved "https://registry.yarnpkg.com/create-ecdh/-/create-ecdh-4.0.0.tgz#888c723596cdf7612f6498233eebd7a35301737d"
1091 | dependencies:
1092 | bn.js "^4.1.0"
1093 | elliptic "^6.0.0"
1094 |
1095 | create-hash@^1.1.0, create-hash@^1.1.1, create-hash@^1.1.2:
1096 | version "1.1.3"
1097 | resolved "https://registry.yarnpkg.com/create-hash/-/create-hash-1.1.3.tgz#606042ac8b9262750f483caddab0f5819172d8fd"
1098 | dependencies:
1099 | cipher-base "^1.0.1"
1100 | inherits "^2.0.1"
1101 | ripemd160 "^2.0.0"
1102 | sha.js "^2.4.0"
1103 |
1104 | create-hmac@^1.1.0, create-hmac@^1.1.2, create-hmac@^1.1.4:
1105 | version "1.1.6"
1106 | resolved "https://registry.yarnpkg.com/create-hmac/-/create-hmac-1.1.6.tgz#acb9e221a4e17bdb076e90657c42b93e3726cf06"
1107 | dependencies:
1108 | cipher-base "^1.0.3"
1109 | create-hash "^1.1.0"
1110 | inherits "^2.0.1"
1111 | ripemd160 "^2.0.0"
1112 | safe-buffer "^5.0.1"
1113 | sha.js "^2.4.8"
1114 |
1115 | create-react-class@^15.5.1:
1116 | version "15.5.3"
1117 | resolved "https://registry.yarnpkg.com/create-react-class/-/create-react-class-15.5.3.tgz#fb0f7cae79339e9a179e194ef466efa3923820fe"
1118 | dependencies:
1119 | fbjs "^0.8.9"
1120 | loose-envify "^1.3.1"
1121 | object-assign "^4.1.1"
1122 |
1123 | creed@^1.0.3:
1124 | version "1.2.1"
1125 | resolved "https://registry.yarnpkg.com/creed/-/creed-1.2.1.tgz#94e2420c0538e38b701b1dce893d2cda73fe18fd"
1126 |
1127 | cryptiles@2.x.x:
1128 | version "2.0.5"
1129 | resolved "https://registry.yarnpkg.com/cryptiles/-/cryptiles-2.0.5.tgz#3bdfecdc608147c1c67202fa291e7dca59eaa3b8"
1130 | dependencies:
1131 | boom "2.x.x"
1132 |
1133 | crypto-browserify@^3.11.0:
1134 | version "3.11.0"
1135 | resolved "https://registry.yarnpkg.com/crypto-browserify/-/crypto-browserify-3.11.0.tgz#3652a0906ab9b2a7e0c3ce66a408e957a2485522"
1136 | dependencies:
1137 | browserify-cipher "^1.0.0"
1138 | browserify-sign "^4.0.0"
1139 | create-ecdh "^4.0.0"
1140 | create-hash "^1.1.0"
1141 | create-hmac "^1.1.0"
1142 | diffie-hellman "^5.0.0"
1143 | inherits "^2.0.1"
1144 | pbkdf2 "^3.0.3"
1145 | public-encrypt "^4.0.0"
1146 | randombytes "^2.0.0"
1147 |
1148 | dashdash@^1.12.0:
1149 | version "1.14.1"
1150 | resolved "https://registry.yarnpkg.com/dashdash/-/dashdash-1.14.1.tgz#853cfa0f7cbe2fed5de20326b8dd581035f6e2f0"
1151 | dependencies:
1152 | assert-plus "^1.0.0"
1153 |
1154 | date-now@^0.1.4:
1155 | version "0.1.4"
1156 | resolved "https://registry.yarnpkg.com/date-now/-/date-now-0.1.4.tgz#eaf439fd4d4848ad74e5cc7dbef200672b9e345b"
1157 |
1158 | debug@2.6.1:
1159 | version "2.6.1"
1160 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.1.tgz#79855090ba2c4e3115cc7d8769491d58f0491351"
1161 | dependencies:
1162 | ms "0.7.2"
1163 |
1164 | debug@2.6.4:
1165 | version "2.6.4"
1166 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.4.tgz#7586a9b3c39741c0282ae33445c4e8ac74734fe0"
1167 | dependencies:
1168 | ms "0.7.3"
1169 |
1170 | debug@^2.1.1, debug@^2.2.0:
1171 | version "2.6.6"
1172 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.6.tgz#a9fa6fbe9ca43cf1e79f73b75c0189cbb7d6db5a"
1173 | dependencies:
1174 | ms "0.7.3"
1175 |
1176 | debug@~2.2.0:
1177 | version "2.2.0"
1178 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.2.0.tgz#f87057e995b1a1f6ae6a4960664137bc56f039da"
1179 | dependencies:
1180 | ms "0.7.1"
1181 |
1182 | decamelize@^1.0.0, decamelize@^1.1.1:
1183 | version "1.2.0"
1184 | resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-1.2.0.tgz#f6534d15148269b20352e7bee26f501f9a191290"
1185 |
1186 | deep-extend@~0.4.0:
1187 | version "0.4.2"
1188 | resolved "https://registry.yarnpkg.com/deep-extend/-/deep-extend-0.4.2.tgz#48b699c27e334bf89f10892be432f6e4c7d34a7f"
1189 |
1190 | delayed-stream@~1.0.0:
1191 | version "1.0.0"
1192 | resolved "https://registry.yarnpkg.com/delayed-stream/-/delayed-stream-1.0.0.tgz#df3ae199acadfb7d440aaae0b29e2272b24ec619"
1193 |
1194 | delegates@^1.0.0:
1195 | version "1.0.0"
1196 | resolved "https://registry.yarnpkg.com/delegates/-/delegates-1.0.0.tgz#84c6e159b81904fdca59a0ef44cd870d31250f9a"
1197 |
1198 | depd@1.1.0, depd@~1.1.0:
1199 | version "1.1.0"
1200 | resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.0.tgz#e1bd82c6aab6ced965b97b88b17ed3e528ca18c3"
1201 |
1202 | des.js@^1.0.0:
1203 | version "1.0.0"
1204 | resolved "https://registry.yarnpkg.com/des.js/-/des.js-1.0.0.tgz#c074d2e2aa6a8a9a07dbd61f9a15c2cd83ec8ecc"
1205 | dependencies:
1206 | inherits "^2.0.1"
1207 | minimalistic-assert "^1.0.0"
1208 |
1209 | destroy@~1.0.4:
1210 | version "1.0.4"
1211 | resolved "https://registry.yarnpkg.com/destroy/-/destroy-1.0.4.tgz#978857442c44749e4206613e37946205826abd80"
1212 |
1213 | detect-indent@^4.0.0:
1214 | version "4.0.0"
1215 | resolved "https://registry.yarnpkg.com/detect-indent/-/detect-indent-4.0.0.tgz#f76d064352cdf43a1cb6ce619c4ee3a9475de208"
1216 | dependencies:
1217 | repeating "^2.0.0"
1218 |
1219 | diffie-hellman@^5.0.0:
1220 | version "5.0.2"
1221 | resolved "https://registry.yarnpkg.com/diffie-hellman/-/diffie-hellman-5.0.2.tgz#b5835739270cfe26acf632099fded2a07f209e5e"
1222 | dependencies:
1223 | bn.js "^4.1.0"
1224 | miller-rabin "^4.0.0"
1225 | randombytes "^2.0.0"
1226 |
1227 | domain-browser@^1.1.1:
1228 | version "1.1.7"
1229 | resolved "https://registry.yarnpkg.com/domain-browser/-/domain-browser-1.1.7.tgz#867aa4b093faa05f1de08c06f4d7b21fdf8698bc"
1230 |
1231 | ecc-jsbn@~0.1.1:
1232 | version "0.1.1"
1233 | resolved "https://registry.yarnpkg.com/ecc-jsbn/-/ecc-jsbn-0.1.1.tgz#0fc73a9ed5f0d53c38193398523ef7e543777505"
1234 | dependencies:
1235 | jsbn "~0.1.0"
1236 |
1237 | ee-first@1.1.1:
1238 | version "1.1.1"
1239 | resolved "https://registry.yarnpkg.com/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d"
1240 |
1241 | elliptic@^6.0.0:
1242 | version "6.4.0"
1243 | resolved "https://registry.yarnpkg.com/elliptic/-/elliptic-6.4.0.tgz#cac9af8762c85836187003c8dfe193e5e2eae5df"
1244 | dependencies:
1245 | bn.js "^4.4.0"
1246 | brorand "^1.0.1"
1247 | hash.js "^1.0.0"
1248 | hmac-drbg "^1.0.0"
1249 | inherits "^2.0.1"
1250 | minimalistic-assert "^1.0.0"
1251 | minimalistic-crypto-utils "^1.0.0"
1252 |
1253 | emojis-list@^2.0.0:
1254 | version "2.1.0"
1255 | resolved "https://registry.yarnpkg.com/emojis-list/-/emojis-list-2.1.0.tgz#4daa4d9db00f9819880c79fa457ae5b09a1fd389"
1256 |
1257 | encodeurl@~1.0.1:
1258 | version "1.0.1"
1259 | resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.1.tgz#79e3d58655346909fe6f0f45a5de68103b294d20"
1260 |
1261 | encoding@^0.1.11:
1262 | version "0.1.12"
1263 | resolved "https://registry.yarnpkg.com/encoding/-/encoding-0.1.12.tgz#538b66f3ee62cd1ab51ec323829d1f9480c74beb"
1264 | dependencies:
1265 | iconv-lite "~0.4.13"
1266 |
1267 | enhanced-resolve@^3.0.0:
1268 | version "3.1.0"
1269 | resolved "https://registry.yarnpkg.com/enhanced-resolve/-/enhanced-resolve-3.1.0.tgz#9f4b626f577245edcf4b2ad83d86e17f4f421dec"
1270 | dependencies:
1271 | graceful-fs "^4.1.2"
1272 | memory-fs "^0.4.0"
1273 | object-assign "^4.0.1"
1274 | tapable "^0.2.5"
1275 |
1276 | errno@^0.1.3:
1277 | version "0.1.4"
1278 | resolved "https://registry.yarnpkg.com/errno/-/errno-0.1.4.tgz#b896e23a9e5e8ba33871fc996abd3635fc9a1c7d"
1279 | dependencies:
1280 | prr "~0.0.0"
1281 |
1282 | error-ex@^1.2.0:
1283 | version "1.3.1"
1284 | resolved "https://registry.yarnpkg.com/error-ex/-/error-ex-1.3.1.tgz#f855a86ce61adc4e8621c3cda21e7a7612c3a8dc"
1285 | dependencies:
1286 | is-arrayish "^0.2.1"
1287 |
1288 | escape-html@~1.0.3:
1289 | version "1.0.3"
1290 | resolved "https://registry.yarnpkg.com/escape-html/-/escape-html-1.0.3.tgz#0258eae4d3d0c0974de1c169188ef0051d1d1988"
1291 |
1292 | escape-string-regexp@^1.0.2:
1293 | version "1.0.5"
1294 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4"
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 | etag@~1.8.0:
1301 | version "1.8.0"
1302 | resolved "https://registry.yarnpkg.com/etag/-/etag-1.8.0.tgz#6f631aef336d6c46362b51764044ce216be3c051"
1303 |
1304 | eventemitter3@1.x.x:
1305 | version "1.2.0"
1306 | resolved "https://registry.yarnpkg.com/eventemitter3/-/eventemitter3-1.2.0.tgz#1c86991d816ad1e504750e73874224ecf3bec508"
1307 |
1308 | events@^1.0.0:
1309 | version "1.1.1"
1310 | resolved "https://registry.yarnpkg.com/events/-/events-1.1.1.tgz#9ebdb7635ad099c70dcc4c2a1f5004288e8bd924"
1311 |
1312 | eventsource@0.1.6:
1313 | version "0.1.6"
1314 | resolved "https://registry.yarnpkg.com/eventsource/-/eventsource-0.1.6.tgz#0acede849ed7dd1ccc32c811bb11b944d4f29232"
1315 | dependencies:
1316 | original ">=0.0.5"
1317 |
1318 | evp_bytestokey@^1.0.0:
1319 | version "1.0.0"
1320 | resolved "https://registry.yarnpkg.com/evp_bytestokey/-/evp_bytestokey-1.0.0.tgz#497b66ad9fef65cd7c08a6180824ba1476b66e53"
1321 | dependencies:
1322 | create-hash "^1.1.1"
1323 |
1324 | expand-brackets@^0.1.4:
1325 | version "0.1.5"
1326 | resolved "https://registry.yarnpkg.com/expand-brackets/-/expand-brackets-0.1.5.tgz#df07284e342a807cd733ac5af72411e581d1177b"
1327 | dependencies:
1328 | is-posix-bracket "^0.1.0"
1329 |
1330 | expand-range@^1.8.1:
1331 | version "1.8.2"
1332 | resolved "https://registry.yarnpkg.com/expand-range/-/expand-range-1.8.2.tgz#a299effd335fe2721ebae8e257ec79644fc85337"
1333 | dependencies:
1334 | fill-range "^2.1.0"
1335 |
1336 | express@^4.13.3:
1337 | version "4.15.2"
1338 | resolved "https://registry.yarnpkg.com/express/-/express-4.15.2.tgz#af107fc148504457f2dca9a6f2571d7129b97b35"
1339 | dependencies:
1340 | accepts "~1.3.3"
1341 | array-flatten "1.1.1"
1342 | content-disposition "0.5.2"
1343 | content-type "~1.0.2"
1344 | cookie "0.3.1"
1345 | cookie-signature "1.0.6"
1346 | debug "2.6.1"
1347 | depd "~1.1.0"
1348 | encodeurl "~1.0.1"
1349 | escape-html "~1.0.3"
1350 | etag "~1.8.0"
1351 | finalhandler "~1.0.0"
1352 | fresh "0.5.0"
1353 | merge-descriptors "1.0.1"
1354 | methods "~1.1.2"
1355 | on-finished "~2.3.0"
1356 | parseurl "~1.3.1"
1357 | path-to-regexp "0.1.7"
1358 | proxy-addr "~1.1.3"
1359 | qs "6.4.0"
1360 | range-parser "~1.2.0"
1361 | send "0.15.1"
1362 | serve-static "1.12.1"
1363 | setprototypeof "1.0.3"
1364 | statuses "~1.3.1"
1365 | type-is "~1.6.14"
1366 | utils-merge "1.0.0"
1367 | vary "~1.1.0"
1368 |
1369 | extend@~3.0.0:
1370 | version "3.0.1"
1371 | resolved "https://registry.yarnpkg.com/extend/-/extend-3.0.1.tgz#a755ea7bc1adfcc5a31ce7e762dbaadc5e636444"
1372 |
1373 | extglob@^0.3.1:
1374 | version "0.3.2"
1375 | resolved "https://registry.yarnpkg.com/extglob/-/extglob-0.3.2.tgz#2e18ff3d2f49ab2765cec9023f011daa8d8349a1"
1376 | dependencies:
1377 | is-extglob "^1.0.0"
1378 |
1379 | extsprintf@1.0.2:
1380 | version "1.0.2"
1381 | resolved "https://registry.yarnpkg.com/extsprintf/-/extsprintf-1.0.2.tgz#e1080e0658e300b06294990cc70e1502235fd550"
1382 |
1383 | faye-websocket@^0.10.0:
1384 | version "0.10.0"
1385 | resolved "https://registry.yarnpkg.com/faye-websocket/-/faye-websocket-0.10.0.tgz#4e492f8d04dfb6f89003507f6edbf2d501e7c6f4"
1386 | dependencies:
1387 | websocket-driver ">=0.5.1"
1388 |
1389 | faye-websocket@~0.11.0:
1390 | version "0.11.1"
1391 | resolved "https://registry.yarnpkg.com/faye-websocket/-/faye-websocket-0.11.1.tgz#f0efe18c4f56e4f40afc7e06c719fd5ee6188f38"
1392 | dependencies:
1393 | websocket-driver ">=0.5.1"
1394 |
1395 | fbjs@^0.8.9:
1396 | version "0.8.12"
1397 | resolved "https://registry.yarnpkg.com/fbjs/-/fbjs-0.8.12.tgz#10b5d92f76d45575fd63a217d4ea02bea2f8ed04"
1398 | dependencies:
1399 | core-js "^1.0.0"
1400 | isomorphic-fetch "^2.1.1"
1401 | loose-envify "^1.0.0"
1402 | object-assign "^4.1.0"
1403 | promise "^7.1.1"
1404 | setimmediate "^1.0.5"
1405 | ua-parser-js "^0.7.9"
1406 |
1407 | filename-regex@^2.0.0:
1408 | version "2.0.1"
1409 | resolved "https://registry.yarnpkg.com/filename-regex/-/filename-regex-2.0.1.tgz#c1c4b9bee3e09725ddb106b75c1e301fe2f18b26"
1410 |
1411 | fill-range@^2.1.0:
1412 | version "2.2.3"
1413 | resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-2.2.3.tgz#50b77dfd7e469bc7492470963699fe7a8485a723"
1414 | dependencies:
1415 | is-number "^2.1.0"
1416 | isobject "^2.0.0"
1417 | randomatic "^1.1.3"
1418 | repeat-element "^1.1.2"
1419 | repeat-string "^1.5.2"
1420 |
1421 | finalhandler@~1.0.0:
1422 | version "1.0.2"
1423 | resolved "https://registry.yarnpkg.com/finalhandler/-/finalhandler-1.0.2.tgz#d0e36f9dbc557f2de14423df6261889e9d60c93a"
1424 | dependencies:
1425 | debug "2.6.4"
1426 | encodeurl "~1.0.1"
1427 | escape-html "~1.0.3"
1428 | on-finished "~2.3.0"
1429 | parseurl "~1.3.1"
1430 | statuses "~1.3.1"
1431 | unpipe "~1.0.0"
1432 |
1433 | find-cache-dir@^0.1.1:
1434 | version "0.1.1"
1435 | resolved "https://registry.yarnpkg.com/find-cache-dir/-/find-cache-dir-0.1.1.tgz#c8defae57c8a52a8a784f9e31c57c742e993a0b9"
1436 | dependencies:
1437 | commondir "^1.0.1"
1438 | mkdirp "^0.5.1"
1439 | pkg-dir "^1.0.0"
1440 |
1441 | find-up@^1.0.0:
1442 | version "1.1.2"
1443 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-1.1.2.tgz#6b2e9822b1a2ce0a60ab64d610eccad53cb24d0f"
1444 | dependencies:
1445 | path-exists "^2.0.0"
1446 | pinkie-promise "^2.0.0"
1447 |
1448 | for-in@^1.0.1:
1449 | version "1.0.2"
1450 | resolved "https://registry.yarnpkg.com/for-in/-/for-in-1.0.2.tgz#81068d295a8142ec0ac726c6e2200c30fb6d5e80"
1451 |
1452 | for-own@^0.1.4:
1453 | version "0.1.5"
1454 | resolved "https://registry.yarnpkg.com/for-own/-/for-own-0.1.5.tgz#5265c681a4f294dabbf17c9509b6763aa84510ce"
1455 | dependencies:
1456 | for-in "^1.0.1"
1457 |
1458 | forever-agent@~0.6.1:
1459 | version "0.6.1"
1460 | resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91"
1461 |
1462 | form-data@~2.1.1:
1463 | version "2.1.4"
1464 | resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.1.4.tgz#33c183acf193276ecaa98143a69e94bfee1750d1"
1465 | dependencies:
1466 | asynckit "^0.4.0"
1467 | combined-stream "^1.0.5"
1468 | mime-types "^2.1.12"
1469 |
1470 | forwarded@~0.1.0:
1471 | version "0.1.0"
1472 | resolved "https://registry.yarnpkg.com/forwarded/-/forwarded-0.1.0.tgz#19ef9874c4ae1c297bcf078fde63a09b66a84363"
1473 |
1474 | fresh@0.5.0:
1475 | version "0.5.0"
1476 | resolved "https://registry.yarnpkg.com/fresh/-/fresh-0.5.0.tgz#f474ca5e6a9246d6fd8e0953cfa9b9c805afa78e"
1477 |
1478 | fs-readdir-recursive@^1.0.0:
1479 | version "1.0.0"
1480 | resolved "https://registry.yarnpkg.com/fs-readdir-recursive/-/fs-readdir-recursive-1.0.0.tgz#8cd1745c8b4f8a29c8caec392476921ba195f560"
1481 |
1482 | fs.realpath@^1.0.0:
1483 | version "1.0.0"
1484 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f"
1485 |
1486 | fsevents@^1.0.0:
1487 | version "1.1.1"
1488 | resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-1.1.1.tgz#f19fd28f43eeaf761680e519a203c4d0b3d31aff"
1489 | dependencies:
1490 | nan "^2.3.0"
1491 | node-pre-gyp "^0.6.29"
1492 |
1493 | fstream-ignore@^1.0.5:
1494 | version "1.0.5"
1495 | resolved "https://registry.yarnpkg.com/fstream-ignore/-/fstream-ignore-1.0.5.tgz#9c31dae34767018fe1d249b24dada67d092da105"
1496 | dependencies:
1497 | fstream "^1.0.0"
1498 | inherits "2"
1499 | minimatch "^3.0.0"
1500 |
1501 | fstream@^1.0.0, fstream@^1.0.10, fstream@^1.0.2:
1502 | version "1.0.11"
1503 | resolved "https://registry.yarnpkg.com/fstream/-/fstream-1.0.11.tgz#5c1fb1f117477114f0632a0eb4b71b3cb0fd3171"
1504 | dependencies:
1505 | graceful-fs "^4.1.2"
1506 | inherits "~2.0.0"
1507 | mkdirp ">=0.5 0"
1508 | rimraf "2"
1509 |
1510 | gauge@~2.7.3:
1511 | version "2.7.4"
1512 | resolved "https://registry.yarnpkg.com/gauge/-/gauge-2.7.4.tgz#2c03405c7538c39d7eb37b317022e325fb018bf7"
1513 | dependencies:
1514 | aproba "^1.0.3"
1515 | console-control-strings "^1.0.0"
1516 | has-unicode "^2.0.0"
1517 | object-assign "^4.1.0"
1518 | signal-exit "^3.0.0"
1519 | string-width "^1.0.1"
1520 | strip-ansi "^3.0.1"
1521 | wide-align "^1.1.0"
1522 |
1523 | get-caller-file@^1.0.1:
1524 | version "1.0.2"
1525 | resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-1.0.2.tgz#f702e63127e7e231c160a80c1554acb70d5047e5"
1526 |
1527 | getpass@^0.1.1:
1528 | version "0.1.7"
1529 | resolved "https://registry.yarnpkg.com/getpass/-/getpass-0.1.7.tgz#5eff8e3e684d569ae4cb2b1282604e8ba62149fa"
1530 | dependencies:
1531 | assert-plus "^1.0.0"
1532 |
1533 | glob-base@^0.3.0:
1534 | version "0.3.0"
1535 | resolved "https://registry.yarnpkg.com/glob-base/-/glob-base-0.3.0.tgz#dbb164f6221b1c0b1ccf82aea328b497df0ea3c4"
1536 | dependencies:
1537 | glob-parent "^2.0.0"
1538 | is-glob "^2.0.0"
1539 |
1540 | glob-parent@^2.0.0:
1541 | version "2.0.0"
1542 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-2.0.0.tgz#81383d72db054fcccf5336daa902f182f6edbb28"
1543 | dependencies:
1544 | is-glob "^2.0.0"
1545 |
1546 | glob@^7.0.0, glob@^7.0.5:
1547 | version "7.1.1"
1548 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.1.tgz#805211df04faaf1c63a3600306cdf5ade50b2ec8"
1549 | dependencies:
1550 | fs.realpath "^1.0.0"
1551 | inflight "^1.0.4"
1552 | inherits "2"
1553 | minimatch "^3.0.2"
1554 | once "^1.3.0"
1555 | path-is-absolute "^1.0.0"
1556 |
1557 | globals@^9.0.0:
1558 | version "9.17.0"
1559 | resolved "https://registry.yarnpkg.com/globals/-/globals-9.17.0.tgz#0c0ca696d9b9bb694d2e5470bd37777caad50286"
1560 |
1561 | graceful-fs@^4.1.2, graceful-fs@^4.1.4:
1562 | version "4.1.11"
1563 | resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.1.11.tgz#0e8bdfe4d1ddb8854d64e04ea7c00e2a026e5658"
1564 |
1565 | "graceful-readlink@>= 1.0.0":
1566 | version "1.0.1"
1567 | resolved "https://registry.yarnpkg.com/graceful-readlink/-/graceful-readlink-1.0.1.tgz#4cafad76bc62f02fa039b2f94e9a3dd3a391a725"
1568 |
1569 | handle-thing@^1.2.4:
1570 | version "1.2.5"
1571 | resolved "https://registry.yarnpkg.com/handle-thing/-/handle-thing-1.2.5.tgz#fd7aad726bf1a5fd16dfc29b2f7a6601d27139c4"
1572 |
1573 | har-schema@^1.0.5:
1574 | version "1.0.5"
1575 | resolved "https://registry.yarnpkg.com/har-schema/-/har-schema-1.0.5.tgz#d263135f43307c02c602afc8fe95970c0151369e"
1576 |
1577 | har-validator@~4.2.1:
1578 | version "4.2.1"
1579 | resolved "https://registry.yarnpkg.com/har-validator/-/har-validator-4.2.1.tgz#33481d0f1bbff600dd203d75812a6a5fba002e2a"
1580 | dependencies:
1581 | ajv "^4.9.1"
1582 | har-schema "^1.0.5"
1583 |
1584 | has-ansi@^2.0.0:
1585 | version "2.0.0"
1586 | resolved "https://registry.yarnpkg.com/has-ansi/-/has-ansi-2.0.0.tgz#34f5049ce1ecdf2b0649af3ef24e45ed35416d91"
1587 | dependencies:
1588 | ansi-regex "^2.0.0"
1589 |
1590 | has-flag@^1.0.0:
1591 | version "1.0.0"
1592 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-1.0.0.tgz#9d9e793165ce017a00f00418c43f942a7b1d11fa"
1593 |
1594 | has-unicode@^2.0.0:
1595 | version "2.0.1"
1596 | resolved "https://registry.yarnpkg.com/has-unicode/-/has-unicode-2.0.1.tgz#e0e6fe6a28cf51138855e086d1691e771de2a8b9"
1597 |
1598 | hash-base@^2.0.0:
1599 | version "2.0.2"
1600 | resolved "https://registry.yarnpkg.com/hash-base/-/hash-base-2.0.2.tgz#66ea1d856db4e8a5470cadf6fce23ae5244ef2e1"
1601 | dependencies:
1602 | inherits "^2.0.1"
1603 |
1604 | hash.js@^1.0.0, hash.js@^1.0.3:
1605 | version "1.0.3"
1606 | resolved "https://registry.yarnpkg.com/hash.js/-/hash.js-1.0.3.tgz#1332ff00156c0a0ffdd8236013d07b77a0451573"
1607 | dependencies:
1608 | inherits "^2.0.1"
1609 |
1610 | hawk@~3.1.3:
1611 | version "3.1.3"
1612 | resolved "https://registry.yarnpkg.com/hawk/-/hawk-3.1.3.tgz#078444bd7c1640b0fe540d2c9b73d59678e8e1c4"
1613 | dependencies:
1614 | boom "2.x.x"
1615 | cryptiles "2.x.x"
1616 | hoek "2.x.x"
1617 | sntp "1.x.x"
1618 |
1619 | history@^3.0.0:
1620 | version "3.3.0"
1621 | resolved "https://registry.yarnpkg.com/history/-/history-3.3.0.tgz#fcedcce8f12975371545d735461033579a6dae9c"
1622 | dependencies:
1623 | invariant "^2.2.1"
1624 | loose-envify "^1.2.0"
1625 | query-string "^4.2.2"
1626 | warning "^3.0.0"
1627 |
1628 | history@^4.5.1:
1629 | version "4.6.1"
1630 | resolved "https://registry.yarnpkg.com/history/-/history-4.6.1.tgz#911cf8eb65728555a94f2b12780a0c531a14d2fd"
1631 | dependencies:
1632 | invariant "^2.2.1"
1633 | loose-envify "^1.2.0"
1634 | resolve-pathname "^2.0.0"
1635 | value-equal "^0.2.0"
1636 | warning "^3.0.0"
1637 |
1638 | hmac-drbg@^1.0.0:
1639 | version "1.0.1"
1640 | resolved "https://registry.yarnpkg.com/hmac-drbg/-/hmac-drbg-1.0.1.tgz#d2745701025a6c775a6c545793ed502fc0c649a1"
1641 | dependencies:
1642 | hash.js "^1.0.3"
1643 | minimalistic-assert "^1.0.0"
1644 | minimalistic-crypto-utils "^1.0.1"
1645 |
1646 | hoek@2.x.x:
1647 | version "2.16.3"
1648 | resolved "https://registry.yarnpkg.com/hoek/-/hoek-2.16.3.tgz#20bb7403d3cea398e91dc4710a8ff1b8274a25ed"
1649 |
1650 | hoist-non-react-statics@^1.0.3, hoist-non-react-statics@^1.2.0:
1651 | version "1.2.0"
1652 | resolved "https://registry.yarnpkg.com/hoist-non-react-statics/-/hoist-non-react-statics-1.2.0.tgz#aa448cf0986d55cc40773b17174b7dd066cb7cfb"
1653 |
1654 | home-or-tmp@^2.0.0:
1655 | version "2.0.0"
1656 | resolved "https://registry.yarnpkg.com/home-or-tmp/-/home-or-tmp-2.0.0.tgz#e36c3f2d2cae7d746a857e38d18d5f32a7882db8"
1657 | dependencies:
1658 | os-homedir "^1.0.0"
1659 | os-tmpdir "^1.0.1"
1660 |
1661 | hosted-git-info@^2.1.4:
1662 | version "2.4.2"
1663 | resolved "https://registry.yarnpkg.com/hosted-git-info/-/hosted-git-info-2.4.2.tgz#0076b9f46a270506ddbaaea56496897460612a67"
1664 |
1665 | hpack.js@^2.1.6:
1666 | version "2.1.6"
1667 | resolved "https://registry.yarnpkg.com/hpack.js/-/hpack.js-2.1.6.tgz#87774c0949e513f42e84575b3c45681fade2a0b2"
1668 | dependencies:
1669 | inherits "^2.0.1"
1670 | obuf "^1.0.0"
1671 | readable-stream "^2.0.1"
1672 | wbuf "^1.1.0"
1673 |
1674 | html-entities@^1.2.0:
1675 | version "1.2.1"
1676 | resolved "https://registry.yarnpkg.com/html-entities/-/html-entities-1.2.1.tgz#0df29351f0721163515dfb9e5543e5f6eed5162f"
1677 |
1678 | http-deceiver@^1.2.4:
1679 | version "1.2.7"
1680 | resolved "https://registry.yarnpkg.com/http-deceiver/-/http-deceiver-1.2.7.tgz#fa7168944ab9a519d337cb0bec7284dc3e723d87"
1681 |
1682 | http-errors@~1.5.0:
1683 | version "1.5.1"
1684 | resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.5.1.tgz#788c0d2c1de2c81b9e6e8c01843b6b97eb920750"
1685 | dependencies:
1686 | inherits "2.0.3"
1687 | setprototypeof "1.0.2"
1688 | statuses ">= 1.3.1 < 2"
1689 |
1690 | http-errors@~1.6.1:
1691 | version "1.6.1"
1692 | resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.6.1.tgz#5f8b8ed98aca545656bf572997387f904a722257"
1693 | dependencies:
1694 | depd "1.1.0"
1695 | inherits "2.0.3"
1696 | setprototypeof "1.0.3"
1697 | statuses ">= 1.3.1 < 2"
1698 |
1699 | http-proxy-middleware@~0.17.4:
1700 | version "0.17.4"
1701 | resolved "https://registry.yarnpkg.com/http-proxy-middleware/-/http-proxy-middleware-0.17.4.tgz#642e8848851d66f09d4f124912846dbaeb41b833"
1702 | dependencies:
1703 | http-proxy "^1.16.2"
1704 | is-glob "^3.1.0"
1705 | lodash "^4.17.2"
1706 | micromatch "^2.3.11"
1707 |
1708 | http-proxy@^1.16.2:
1709 | version "1.16.2"
1710 | resolved "https://registry.yarnpkg.com/http-proxy/-/http-proxy-1.16.2.tgz#06dff292952bf64dbe8471fa9df73066d4f37742"
1711 | dependencies:
1712 | eventemitter3 "1.x.x"
1713 | requires-port "1.x.x"
1714 |
1715 | http-signature@~1.1.0:
1716 | version "1.1.1"
1717 | resolved "https://registry.yarnpkg.com/http-signature/-/http-signature-1.1.1.tgz#df72e267066cd0ac67fb76adf8e134a8fbcf91bf"
1718 | dependencies:
1719 | assert-plus "^0.2.0"
1720 | jsprim "^1.2.2"
1721 | sshpk "^1.7.0"
1722 |
1723 | https-browserify@0.0.1:
1724 | version "0.0.1"
1725 | resolved "https://registry.yarnpkg.com/https-browserify/-/https-browserify-0.0.1.tgz#3f91365cabe60b77ed0ebba24b454e3e09d95a82"
1726 |
1727 | iconv-lite@~0.4.13:
1728 | version "0.4.17"
1729 | resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.17.tgz#4fdaa3b38acbc2c031b045d0edcdfe1ecab18c8d"
1730 |
1731 | ieee754@^1.1.4:
1732 | version "1.1.8"
1733 | resolved "https://registry.yarnpkg.com/ieee754/-/ieee754-1.1.8.tgz#be33d40ac10ef1926701f6f08a2d86fbfd1ad3e4"
1734 |
1735 | indexof@0.0.1:
1736 | version "0.0.1"
1737 | resolved "https://registry.yarnpkg.com/indexof/-/indexof-0.0.1.tgz#82dc336d232b9062179d05ab3293a66059fd435d"
1738 |
1739 | inflight@^1.0.4:
1740 | version "1.0.6"
1741 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9"
1742 | dependencies:
1743 | once "^1.3.0"
1744 | wrappy "1"
1745 |
1746 | inherits@2, inherits@2.0.3, inherits@^2.0.1, inherits@~2.0.0, inherits@~2.0.1:
1747 | version "2.0.3"
1748 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de"
1749 |
1750 | inherits@2.0.1:
1751 | version "2.0.1"
1752 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.1.tgz#b17d08d326b4423e568eff719f91b0b1cbdf69f1"
1753 |
1754 | ini@~1.3.0:
1755 | version "1.3.4"
1756 | resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.4.tgz#0537cb79daf59b59a1a517dff706c86ec039162e"
1757 |
1758 | interpret@^1.0.0:
1759 | version "1.0.3"
1760 | resolved "https://registry.yarnpkg.com/interpret/-/interpret-1.0.3.tgz#cbc35c62eeee73f19ab7b10a801511401afc0f90"
1761 |
1762 | invariant@^2.0.0, invariant@^2.2.0, invariant@^2.2.1:
1763 | version "2.2.2"
1764 | resolved "https://registry.yarnpkg.com/invariant/-/invariant-2.2.2.tgz#9e1f56ac0acdb6bf303306f338be3b204ae60360"
1765 | dependencies:
1766 | loose-envify "^1.0.0"
1767 |
1768 | invert-kv@^1.0.0:
1769 | version "1.0.0"
1770 | resolved "https://registry.yarnpkg.com/invert-kv/-/invert-kv-1.0.0.tgz#104a8e4aaca6d3d8cd157a8ef8bfab2d7a3ffdb6"
1771 |
1772 | ipaddr.js@1.3.0:
1773 | version "1.3.0"
1774 | resolved "https://registry.yarnpkg.com/ipaddr.js/-/ipaddr.js-1.3.0.tgz#1e03a52fdad83a8bbb2b25cbf4998b4cffcd3dec"
1775 |
1776 | is-arrayish@^0.2.1:
1777 | version "0.2.1"
1778 | resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.2.1.tgz#77c99840527aa8ecb1a8ba697b80645a7a926a9d"
1779 |
1780 | is-binary-path@^1.0.0:
1781 | version "1.0.1"
1782 | resolved "https://registry.yarnpkg.com/is-binary-path/-/is-binary-path-1.0.1.tgz#75f16642b480f187a711c814161fd3a4a7655898"
1783 | dependencies:
1784 | binary-extensions "^1.0.0"
1785 |
1786 | is-buffer@^1.1.5:
1787 | version "1.1.5"
1788 | resolved "https://registry.yarnpkg.com/is-buffer/-/is-buffer-1.1.5.tgz#1f3b26ef613b214b88cbca23cc6c01d87961eecc"
1789 |
1790 | is-builtin-module@^1.0.0:
1791 | version "1.0.0"
1792 | resolved "https://registry.yarnpkg.com/is-builtin-module/-/is-builtin-module-1.0.0.tgz#540572d34f7ac3119f8f76c30cbc1b1e037affbe"
1793 | dependencies:
1794 | builtin-modules "^1.0.0"
1795 |
1796 | is-dotfile@^1.0.0:
1797 | version "1.0.2"
1798 | resolved "https://registry.yarnpkg.com/is-dotfile/-/is-dotfile-1.0.2.tgz#2c132383f39199f8edc268ca01b9b007d205cc4d"
1799 |
1800 | is-equal-shallow@^0.1.3:
1801 | version "0.1.3"
1802 | resolved "https://registry.yarnpkg.com/is-equal-shallow/-/is-equal-shallow-0.1.3.tgz#2238098fc221de0bcfa5d9eac4c45d638aa1c534"
1803 | dependencies:
1804 | is-primitive "^2.0.0"
1805 |
1806 | is-extendable@^0.1.1:
1807 | version "0.1.1"
1808 | resolved "https://registry.yarnpkg.com/is-extendable/-/is-extendable-0.1.1.tgz#62b110e289a471418e3ec36a617d472e301dfc89"
1809 |
1810 | is-extglob@^1.0.0:
1811 | version "1.0.0"
1812 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-1.0.0.tgz#ac468177c4943405a092fc8f29760c6ffc6206c0"
1813 |
1814 | is-extglob@^2.1.0:
1815 | version "2.1.1"
1816 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2"
1817 |
1818 | is-finite@^1.0.0:
1819 | version "1.0.2"
1820 | resolved "https://registry.yarnpkg.com/is-finite/-/is-finite-1.0.2.tgz#cc6677695602be550ef11e8b4aa6305342b6d0aa"
1821 | dependencies:
1822 | number-is-nan "^1.0.0"
1823 |
1824 | is-fullwidth-code-point@^1.0.0:
1825 | version "1.0.0"
1826 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-1.0.0.tgz#ef9e31386f031a7f0d643af82fde50c457ef00cb"
1827 | dependencies:
1828 | number-is-nan "^1.0.0"
1829 |
1830 | is-glob@^2.0.0, is-glob@^2.0.1:
1831 | version "2.0.1"
1832 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-2.0.1.tgz#d096f926a3ded5600f3fdfd91198cb0888c2d863"
1833 | dependencies:
1834 | is-extglob "^1.0.0"
1835 |
1836 | is-glob@^3.1.0:
1837 | version "3.1.0"
1838 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-3.1.0.tgz#7ba5ae24217804ac70707b96922567486cc3e84a"
1839 | dependencies:
1840 | is-extglob "^2.1.0"
1841 |
1842 | is-number@^2.0.2, is-number@^2.1.0:
1843 | version "2.1.0"
1844 | resolved "https://registry.yarnpkg.com/is-number/-/is-number-2.1.0.tgz#01fcbbb393463a548f2f466cce16dece49db908f"
1845 | dependencies:
1846 | kind-of "^3.0.2"
1847 |
1848 | is-posix-bracket@^0.1.0:
1849 | version "0.1.1"
1850 | resolved "https://registry.yarnpkg.com/is-posix-bracket/-/is-posix-bracket-0.1.1.tgz#3334dc79774368e92f016e6fbc0a88f5cd6e6bc4"
1851 |
1852 | is-primitive@^2.0.0:
1853 | version "2.0.0"
1854 | resolved "https://registry.yarnpkg.com/is-primitive/-/is-primitive-2.0.0.tgz#207bab91638499c07b2adf240a41a87210034575"
1855 |
1856 | is-stream@^1.0.1:
1857 | version "1.1.0"
1858 | resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-1.1.0.tgz#12d4a3dd4e68e0b79ceb8dbc84173ae80d91ca44"
1859 |
1860 | is-typedarray@~1.0.0:
1861 | version "1.0.0"
1862 | resolved "https://registry.yarnpkg.com/is-typedarray/-/is-typedarray-1.0.0.tgz#e479c80858df0c1b11ddda6940f96011fcda4a9a"
1863 |
1864 | is-utf8@^0.2.0:
1865 | version "0.2.1"
1866 | resolved "https://registry.yarnpkg.com/is-utf8/-/is-utf8-0.2.1.tgz#4b0da1442104d1b336340e80797e865cf39f7d72"
1867 |
1868 | isarray@1.0.0, isarray@^1.0.0, isarray@~1.0.0:
1869 | version "1.0.0"
1870 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11"
1871 |
1872 | isobject@^2.0.0:
1873 | version "2.1.0"
1874 | resolved "https://registry.yarnpkg.com/isobject/-/isobject-2.1.0.tgz#f065561096a3f1da2ef46272f815c840d87e0c89"
1875 | dependencies:
1876 | isarray "1.0.0"
1877 |
1878 | isomorphic-fetch@^2.1.1, isomorphic-fetch@^2.2.1:
1879 | version "2.2.1"
1880 | resolved "https://registry.yarnpkg.com/isomorphic-fetch/-/isomorphic-fetch-2.2.1.tgz#611ae1acf14f5e81f729507472819fe9733558a9"
1881 | dependencies:
1882 | node-fetch "^1.0.1"
1883 | whatwg-fetch ">=0.10.0"
1884 |
1885 | isstream@~0.1.2:
1886 | version "0.1.2"
1887 | resolved "https://registry.yarnpkg.com/isstream/-/isstream-0.1.2.tgz#47e63f7af55afa6f92e1500e690eb8b8529c099a"
1888 |
1889 | jodid25519@^1.0.0:
1890 | version "1.0.2"
1891 | resolved "https://registry.yarnpkg.com/jodid25519/-/jodid25519-1.0.2.tgz#06d4912255093419477d425633606e0e90782967"
1892 | dependencies:
1893 | jsbn "~0.1.0"
1894 |
1895 | js-tokens@^3.0.0:
1896 | version "3.0.1"
1897 | resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-3.0.1.tgz#08e9f132484a2c45a30907e9dc4d5567b7f114d7"
1898 |
1899 | jsbn@~0.1.0:
1900 | version "0.1.1"
1901 | resolved "https://registry.yarnpkg.com/jsbn/-/jsbn-0.1.1.tgz#a5e654c2e5a2deb5f201d96cefbca80c0ef2f513"
1902 |
1903 | jsesc@^1.3.0:
1904 | version "1.3.0"
1905 | resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-1.3.0.tgz#46c3fec8c1892b12b0833db9bc7622176dbab34b"
1906 |
1907 | jsesc@~0.5.0:
1908 | version "0.5.0"
1909 | resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-0.5.0.tgz#e7dee66e35d6fc16f710fe91d5cf69f70f08911d"
1910 |
1911 | json-loader@^0.5.4:
1912 | version "0.5.4"
1913 | resolved "https://registry.yarnpkg.com/json-loader/-/json-loader-0.5.4.tgz#8baa1365a632f58a3c46d20175fc6002c96e37de"
1914 |
1915 | json-schema@0.2.3:
1916 | version "0.2.3"
1917 | resolved "https://registry.yarnpkg.com/json-schema/-/json-schema-0.2.3.tgz#b480c892e59a2f05954ce727bd3f2a4e882f9e13"
1918 |
1919 | json-stable-stringify@^1.0.1:
1920 | version "1.0.1"
1921 | resolved "https://registry.yarnpkg.com/json-stable-stringify/-/json-stable-stringify-1.0.1.tgz#9a759d39c5f2ff503fd5300646ed445f88c4f9af"
1922 | dependencies:
1923 | jsonify "~0.0.0"
1924 |
1925 | json-stringify-safe@~5.0.1:
1926 | version "5.0.1"
1927 | resolved "https://registry.yarnpkg.com/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz#1296a2d58fd45f19a0f6ce01d65701e2c735b6eb"
1928 |
1929 | json3@^3.3.2:
1930 | version "3.3.2"
1931 | resolved "https://registry.yarnpkg.com/json3/-/json3-3.3.2.tgz#3c0434743df93e2f5c42aee7b19bcb483575f4e1"
1932 |
1933 | json5@^0.5.0, json5@^0.5.1:
1934 | version "0.5.1"
1935 | resolved "https://registry.yarnpkg.com/json5/-/json5-0.5.1.tgz#1eade7acc012034ad84e2396767ead9fa5495821"
1936 |
1937 | jsonify@~0.0.0:
1938 | version "0.0.0"
1939 | resolved "https://registry.yarnpkg.com/jsonify/-/jsonify-0.0.0.tgz#2c74b6ee41d93ca51b7b5aaee8f503631d252a73"
1940 |
1941 | jsprim@^1.2.2:
1942 | version "1.4.0"
1943 | resolved "https://registry.yarnpkg.com/jsprim/-/jsprim-1.4.0.tgz#a3b87e40298d8c380552d8cc7628a0bb95a22918"
1944 | dependencies:
1945 | assert-plus "1.0.0"
1946 | extsprintf "1.0.2"
1947 | json-schema "0.2.3"
1948 | verror "1.3.6"
1949 |
1950 | kind-of@^3.0.2:
1951 | version "3.2.0"
1952 | resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-3.2.0.tgz#b58abe4d5c044ad33726a8c1525b48cf891bff07"
1953 | dependencies:
1954 | is-buffer "^1.1.5"
1955 |
1956 | lazy-cache@^1.0.3:
1957 | version "1.0.4"
1958 | resolved "https://registry.yarnpkg.com/lazy-cache/-/lazy-cache-1.0.4.tgz#a1d78fc3a50474cb80845d3b3b6e1da49a446e8e"
1959 |
1960 | lcid@^1.0.0:
1961 | version "1.0.0"
1962 | resolved "https://registry.yarnpkg.com/lcid/-/lcid-1.0.0.tgz#308accafa0bc483a3867b4b6f2b9506251d1b835"
1963 | dependencies:
1964 | invert-kv "^1.0.0"
1965 |
1966 | load-json-file@^1.0.0:
1967 | version "1.1.0"
1968 | resolved "https://registry.yarnpkg.com/load-json-file/-/load-json-file-1.1.0.tgz#956905708d58b4bab4c2261b04f59f31c99374c0"
1969 | dependencies:
1970 | graceful-fs "^4.1.2"
1971 | parse-json "^2.2.0"
1972 | pify "^2.0.0"
1973 | pinkie-promise "^2.0.0"
1974 | strip-bom "^2.0.0"
1975 |
1976 | loader-runner@^2.3.0:
1977 | version "2.3.0"
1978 | resolved "https://registry.yarnpkg.com/loader-runner/-/loader-runner-2.3.0.tgz#f482aea82d543e07921700d5a46ef26fdac6b8a2"
1979 |
1980 | loader-utils@^0.2.16:
1981 | version "0.2.17"
1982 | resolved "https://registry.yarnpkg.com/loader-utils/-/loader-utils-0.2.17.tgz#f86e6374d43205a6e6c60e9196f17c0299bfb348"
1983 | dependencies:
1984 | big.js "^3.1.3"
1985 | emojis-list "^2.0.0"
1986 | json5 "^0.5.0"
1987 | object-assign "^4.0.1"
1988 |
1989 | loader-utils@^1.0.2:
1990 | version "1.1.0"
1991 | resolved "https://registry.yarnpkg.com/loader-utils/-/loader-utils-1.1.0.tgz#c98aef488bcceda2ffb5e2de646d6a754429f5cd"
1992 | dependencies:
1993 | big.js "^3.1.3"
1994 | emojis-list "^2.0.0"
1995 | json5 "^0.5.0"
1996 |
1997 | lodash-es@^4.2.0, lodash-es@^4.2.1:
1998 | version "4.17.4"
1999 | resolved "https://registry.yarnpkg.com/lodash-es/-/lodash-es-4.17.4.tgz#dcc1d7552e150a0640073ba9cb31d70f032950e7"
2000 |
2001 | lodash@^4.14.0, lodash@^4.17.2, lodash@^4.2.0, lodash@^4.2.1:
2002 | version "4.17.4"
2003 | resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.4.tgz#78203a4d1c328ae1d86dca6460e369b57f4055ae"
2004 |
2005 | longest@^1.0.1:
2006 | version "1.0.1"
2007 | resolved "https://registry.yarnpkg.com/longest/-/longest-1.0.1.tgz#30a0b2da38f73770e8294a0d22e6625ed77d0097"
2008 |
2009 | loose-envify@^1.0.0, loose-envify@^1.1.0, loose-envify@^1.2.0, loose-envify@^1.3.1:
2010 | version "1.3.1"
2011 | resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.3.1.tgz#d1a8ad33fa9ce0e713d65fdd0ac8b748d478c848"
2012 | dependencies:
2013 | js-tokens "^3.0.0"
2014 |
2015 | media-typer@0.3.0:
2016 | version "0.3.0"
2017 | resolved "https://registry.yarnpkg.com/media-typer/-/media-typer-0.3.0.tgz#8710d7af0aa626f8fffa1ce00168545263255748"
2018 |
2019 | memory-fs@^0.4.0, memory-fs@~0.4.1:
2020 | version "0.4.1"
2021 | resolved "https://registry.yarnpkg.com/memory-fs/-/memory-fs-0.4.1.tgz#3a9a20b8462523e447cfbc7e8bb80ed667bfc552"
2022 | dependencies:
2023 | errno "^0.1.3"
2024 | readable-stream "^2.0.1"
2025 |
2026 | merge-descriptors@1.0.1:
2027 | version "1.0.1"
2028 | resolved "https://registry.yarnpkg.com/merge-descriptors/-/merge-descriptors-1.0.1.tgz#b00aaa556dd8b44568150ec9d1b953f3f90cbb61"
2029 |
2030 | methods@~1.1.2:
2031 | version "1.1.2"
2032 | resolved "https://registry.yarnpkg.com/methods/-/methods-1.1.2.tgz#5529a4d67654134edcc5266656835b0f851afcee"
2033 |
2034 | micromatch@^2.1.5, micromatch@^2.3.11:
2035 | version "2.3.11"
2036 | resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-2.3.11.tgz#86677c97d1720b363431d04d0d15293bd38c1565"
2037 | dependencies:
2038 | arr-diff "^2.0.0"
2039 | array-unique "^0.2.1"
2040 | braces "^1.8.2"
2041 | expand-brackets "^0.1.4"
2042 | extglob "^0.3.1"
2043 | filename-regex "^2.0.0"
2044 | is-extglob "^1.0.0"
2045 | is-glob "^2.0.1"
2046 | kind-of "^3.0.2"
2047 | normalize-path "^2.0.1"
2048 | object.omit "^2.0.0"
2049 | parse-glob "^3.0.4"
2050 | regex-cache "^0.4.2"
2051 |
2052 | miller-rabin@^4.0.0:
2053 | version "4.0.0"
2054 | resolved "https://registry.yarnpkg.com/miller-rabin/-/miller-rabin-4.0.0.tgz#4a62fb1d42933c05583982f4c716f6fb9e6c6d3d"
2055 | dependencies:
2056 | bn.js "^4.0.0"
2057 | brorand "^1.0.1"
2058 |
2059 | "mime-db@>= 1.27.0 < 2", mime-db@~1.27.0:
2060 | version "1.27.0"
2061 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.27.0.tgz#820f572296bbd20ec25ed55e5b5de869e5436eb1"
2062 |
2063 | mime-types@^2.1.12, mime-types@~2.1.11, mime-types@~2.1.15, mime-types@~2.1.7:
2064 | version "2.1.15"
2065 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.15.tgz#a4ebf5064094569237b8cf70046776d09fc92aed"
2066 | dependencies:
2067 | mime-db "~1.27.0"
2068 |
2069 | mime@1.3.4:
2070 | version "1.3.4"
2071 | resolved "https://registry.yarnpkg.com/mime/-/mime-1.3.4.tgz#115f9e3b6b3daf2959983cb38f149a2d40eb5d53"
2072 |
2073 | mime@^1.3.4:
2074 | version "1.3.6"
2075 | resolved "https://registry.yarnpkg.com/mime/-/mime-1.3.6.tgz#591d84d3653a6b0b4a3b9df8de5aa8108e72e5e0"
2076 |
2077 | minimalistic-assert@^1.0.0:
2078 | version "1.0.0"
2079 | resolved "https://registry.yarnpkg.com/minimalistic-assert/-/minimalistic-assert-1.0.0.tgz#702be2dda6b37f4836bcb3f5db56641b64a1d3d3"
2080 |
2081 | minimalistic-crypto-utils@^1.0.0, minimalistic-crypto-utils@^1.0.1:
2082 | version "1.0.1"
2083 | resolved "https://registry.yarnpkg.com/minimalistic-crypto-utils/-/minimalistic-crypto-utils-1.0.1.tgz#f6c00c1c0b082246e5c4d99dfb8c7c083b2b582a"
2084 |
2085 | minimatch@^3.0.0, minimatch@^3.0.2:
2086 | version "3.0.4"
2087 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083"
2088 | dependencies:
2089 | brace-expansion "^1.1.7"
2090 |
2091 | minimist@0.0.8:
2092 | version "0.0.8"
2093 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.8.tgz#857fcabfc3397d2625b8228262e86aa7a011b05d"
2094 |
2095 | minimist@^1.2.0:
2096 | version "1.2.0"
2097 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.0.tgz#a35008b20f41383eec1fb914f4cd5df79a264284"
2098 |
2099 | mkdirp@0.5.x, "mkdirp@>=0.5 0", mkdirp@^0.5.1, mkdirp@~0.5.0:
2100 | version "0.5.1"
2101 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.1.tgz#30057438eac6cf7f8c4767f38648d6697d75c903"
2102 | dependencies:
2103 | minimist "0.0.8"
2104 |
2105 | most-subject@^5.3.0:
2106 | version "5.3.0"
2107 | resolved "https://registry.yarnpkg.com/most-subject/-/most-subject-5.3.0.tgz#3a6e3efd436fa93bd8b33c2a239c9088230a6102"
2108 | dependencies:
2109 | "@most/multicast" "^1.2.4"
2110 | "@most/prelude" "^1.4.1"
2111 | most "^1.1.0"
2112 |
2113 | most@^1.0.1, most@^1.1.0:
2114 | version "1.3.0"
2115 | resolved "https://registry.yarnpkg.com/most/-/most-1.3.0.tgz#148f96c311ce26cace63a179d10dd61dacee58f4"
2116 | dependencies:
2117 | "@most/multicast" "^1.2.5"
2118 | "@most/prelude" "^1.4.0"
2119 | symbol-observable "^1.0.2"
2120 |
2121 | ms@0.7.1:
2122 | version "0.7.1"
2123 | resolved "https://registry.yarnpkg.com/ms/-/ms-0.7.1.tgz#9cd13c03adbff25b65effde7ce864ee952017098"
2124 |
2125 | ms@0.7.2:
2126 | version "0.7.2"
2127 | resolved "https://registry.yarnpkg.com/ms/-/ms-0.7.2.tgz#ae25cf2512b3885a1d95d7f037868d8431124765"
2128 |
2129 | ms@0.7.3:
2130 | version "0.7.3"
2131 | resolved "https://registry.yarnpkg.com/ms/-/ms-0.7.3.tgz#708155a5e44e33f5fd0fc53e81d0d40a91be1fff"
2132 |
2133 | nan@^2.3.0:
2134 | version "2.6.2"
2135 | resolved "https://registry.yarnpkg.com/nan/-/nan-2.6.2.tgz#e4ff34e6c95fdfb5aecc08de6596f43605a7db45"
2136 |
2137 | negotiator@0.6.1:
2138 | version "0.6.1"
2139 | resolved "https://registry.yarnpkg.com/negotiator/-/negotiator-0.6.1.tgz#2b327184e8992101177b28563fb5e7102acd0ca9"
2140 |
2141 | node-fetch@^1.0.1:
2142 | version "1.6.3"
2143 | resolved "https://registry.yarnpkg.com/node-fetch/-/node-fetch-1.6.3.tgz#dc234edd6489982d58e8f0db4f695029abcd8c04"
2144 | dependencies:
2145 | encoding "^0.1.11"
2146 | is-stream "^1.0.1"
2147 |
2148 | node-libs-browser@^2.0.0:
2149 | version "2.0.0"
2150 | resolved "https://registry.yarnpkg.com/node-libs-browser/-/node-libs-browser-2.0.0.tgz#a3a59ec97024985b46e958379646f96c4b616646"
2151 | dependencies:
2152 | assert "^1.1.1"
2153 | browserify-zlib "^0.1.4"
2154 | buffer "^4.3.0"
2155 | console-browserify "^1.1.0"
2156 | constants-browserify "^1.0.0"
2157 | crypto-browserify "^3.11.0"
2158 | domain-browser "^1.1.1"
2159 | events "^1.0.0"
2160 | https-browserify "0.0.1"
2161 | os-browserify "^0.2.0"
2162 | path-browserify "0.0.0"
2163 | process "^0.11.0"
2164 | punycode "^1.2.4"
2165 | querystring-es3 "^0.2.0"
2166 | readable-stream "^2.0.5"
2167 | stream-browserify "^2.0.1"
2168 | stream-http "^2.3.1"
2169 | string_decoder "^0.10.25"
2170 | timers-browserify "^2.0.2"
2171 | tty-browserify "0.0.0"
2172 | url "^0.11.0"
2173 | util "^0.10.3"
2174 | vm-browserify "0.0.4"
2175 |
2176 | node-pre-gyp@^0.6.29:
2177 | version "0.6.34"
2178 | resolved "https://registry.yarnpkg.com/node-pre-gyp/-/node-pre-gyp-0.6.34.tgz#94ad1c798a11d7fc67381b50d47f8cc18d9799f7"
2179 | dependencies:
2180 | mkdirp "^0.5.1"
2181 | nopt "^4.0.1"
2182 | npmlog "^4.0.2"
2183 | rc "^1.1.7"
2184 | request "^2.81.0"
2185 | rimraf "^2.6.1"
2186 | semver "^5.3.0"
2187 | tar "^2.2.1"
2188 | tar-pack "^3.4.0"
2189 |
2190 | nopt@^4.0.1:
2191 | version "4.0.1"
2192 | resolved "https://registry.yarnpkg.com/nopt/-/nopt-4.0.1.tgz#d0d4685afd5415193c8c7505602d0d17cd64474d"
2193 | dependencies:
2194 | abbrev "1"
2195 | osenv "^0.1.4"
2196 |
2197 | normalize-package-data@^2.3.2:
2198 | version "2.3.8"
2199 | resolved "https://registry.yarnpkg.com/normalize-package-data/-/normalize-package-data-2.3.8.tgz#d819eda2a9dedbd1ffa563ea4071d936782295bb"
2200 | dependencies:
2201 | hosted-git-info "^2.1.4"
2202 | is-builtin-module "^1.0.0"
2203 | semver "2 || 3 || 4 || 5"
2204 | validate-npm-package-license "^3.0.1"
2205 |
2206 | normalize-path@^2.0.1:
2207 | version "2.1.1"
2208 | resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-2.1.1.tgz#1ab28b556e198363a8c1a6f7e6fa20137fe6aed9"
2209 | dependencies:
2210 | remove-trailing-separator "^1.0.1"
2211 |
2212 | npmlog@^4.0.2:
2213 | version "4.1.0"
2214 | resolved "https://registry.yarnpkg.com/npmlog/-/npmlog-4.1.0.tgz#dc59bee85f64f00ed424efb2af0783df25d1c0b5"
2215 | dependencies:
2216 | are-we-there-yet "~1.1.2"
2217 | console-control-strings "~1.1.0"
2218 | gauge "~2.7.3"
2219 | set-blocking "~2.0.0"
2220 |
2221 | number-is-nan@^1.0.0:
2222 | version "1.0.1"
2223 | resolved "https://registry.yarnpkg.com/number-is-nan/-/number-is-nan-1.0.1.tgz#097b602b53422a522c1afb8790318336941a011d"
2224 |
2225 | oauth-sign@~0.8.1:
2226 | version "0.8.2"
2227 | resolved "https://registry.yarnpkg.com/oauth-sign/-/oauth-sign-0.8.2.tgz#46a6ab7f0aead8deae9ec0565780b7d4efeb9d43"
2228 |
2229 | object-assign@^4.0.1, object-assign@^4.1.0, object-assign@^4.1.1:
2230 | version "4.1.1"
2231 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863"
2232 |
2233 | object.omit@^2.0.0:
2234 | version "2.0.1"
2235 | resolved "https://registry.yarnpkg.com/object.omit/-/object.omit-2.0.1.tgz#1a9c744829f39dbb858c76ca3579ae2a54ebd1fa"
2236 | dependencies:
2237 | for-own "^0.1.4"
2238 | is-extendable "^0.1.1"
2239 |
2240 | obuf@^1.0.0, obuf@^1.1.0:
2241 | version "1.1.1"
2242 | resolved "https://registry.yarnpkg.com/obuf/-/obuf-1.1.1.tgz#104124b6c602c6796881a042541d36db43a5264e"
2243 |
2244 | on-finished@~2.3.0:
2245 | version "2.3.0"
2246 | resolved "https://registry.yarnpkg.com/on-finished/-/on-finished-2.3.0.tgz#20f1336481b083cd75337992a16971aa2d906947"
2247 | dependencies:
2248 | ee-first "1.1.1"
2249 |
2250 | on-headers@~1.0.1:
2251 | version "1.0.1"
2252 | resolved "https://registry.yarnpkg.com/on-headers/-/on-headers-1.0.1.tgz#928f5d0f470d49342651ea6794b0857c100693f7"
2253 |
2254 | once@^1.3.0, once@^1.3.3:
2255 | version "1.4.0"
2256 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1"
2257 | dependencies:
2258 | wrappy "1"
2259 |
2260 | opn@4.0.2:
2261 | version "4.0.2"
2262 | resolved "https://registry.yarnpkg.com/opn/-/opn-4.0.2.tgz#7abc22e644dff63b0a96d5ab7f2790c0f01abc95"
2263 | dependencies:
2264 | object-assign "^4.0.1"
2265 | pinkie-promise "^2.0.0"
2266 |
2267 | original@>=0.0.5:
2268 | version "1.0.0"
2269 | resolved "https://registry.yarnpkg.com/original/-/original-1.0.0.tgz#9147f93fa1696d04be61e01bd50baeaca656bd3b"
2270 | dependencies:
2271 | url-parse "1.0.x"
2272 |
2273 | os-browserify@^0.2.0:
2274 | version "0.2.1"
2275 | resolved "https://registry.yarnpkg.com/os-browserify/-/os-browserify-0.2.1.tgz#63fc4ccee5d2d7763d26bbf8601078e6c2e0044f"
2276 |
2277 | os-homedir@^1.0.0:
2278 | version "1.0.2"
2279 | resolved "https://registry.yarnpkg.com/os-homedir/-/os-homedir-1.0.2.tgz#ffbc4988336e0e833de0c168c7ef152121aa7fb3"
2280 |
2281 | os-locale@^1.4.0:
2282 | version "1.4.0"
2283 | resolved "https://registry.yarnpkg.com/os-locale/-/os-locale-1.4.0.tgz#20f9f17ae29ed345e8bde583b13d2009803c14d9"
2284 | dependencies:
2285 | lcid "^1.0.0"
2286 |
2287 | os-tmpdir@^1.0.0, os-tmpdir@^1.0.1:
2288 | version "1.0.2"
2289 | resolved "https://registry.yarnpkg.com/os-tmpdir/-/os-tmpdir-1.0.2.tgz#bbe67406c79aa85c5cfec766fe5734555dfa1274"
2290 |
2291 | osenv@^0.1.4:
2292 | version "0.1.4"
2293 | resolved "https://registry.yarnpkg.com/osenv/-/osenv-0.1.4.tgz#42fe6d5953df06c8064be6f176c3d05aaaa34644"
2294 | dependencies:
2295 | os-homedir "^1.0.0"
2296 | os-tmpdir "^1.0.0"
2297 |
2298 | output-file-sync@^1.1.0:
2299 | version "1.1.2"
2300 | resolved "https://registry.yarnpkg.com/output-file-sync/-/output-file-sync-1.1.2.tgz#d0a33eefe61a205facb90092e826598d5245ce76"
2301 | dependencies:
2302 | graceful-fs "^4.1.4"
2303 | mkdirp "^0.5.1"
2304 | object-assign "^4.1.0"
2305 |
2306 | pako@~0.2.0:
2307 | version "0.2.9"
2308 | resolved "https://registry.yarnpkg.com/pako/-/pako-0.2.9.tgz#f3f7522f4ef782348da8161bad9ecfd51bf83a75"
2309 |
2310 | parse-asn1@^5.0.0:
2311 | version "5.1.0"
2312 | resolved "https://registry.yarnpkg.com/parse-asn1/-/parse-asn1-5.1.0.tgz#37c4f9b7ed3ab65c74817b5f2480937fbf97c712"
2313 | dependencies:
2314 | asn1.js "^4.0.0"
2315 | browserify-aes "^1.0.0"
2316 | create-hash "^1.1.0"
2317 | evp_bytestokey "^1.0.0"
2318 | pbkdf2 "^3.0.3"
2319 |
2320 | parse-glob@^3.0.4:
2321 | version "3.0.4"
2322 | resolved "https://registry.yarnpkg.com/parse-glob/-/parse-glob-3.0.4.tgz#b2c376cfb11f35513badd173ef0bb6e3a388391c"
2323 | dependencies:
2324 | glob-base "^0.3.0"
2325 | is-dotfile "^1.0.0"
2326 | is-extglob "^1.0.0"
2327 | is-glob "^2.0.0"
2328 |
2329 | parse-json@^2.2.0:
2330 | version "2.2.0"
2331 | resolved "https://registry.yarnpkg.com/parse-json/-/parse-json-2.2.0.tgz#f480f40434ef80741f8469099f8dea18f55a4dc9"
2332 | dependencies:
2333 | error-ex "^1.2.0"
2334 |
2335 | parseurl@~1.3.1:
2336 | version "1.3.1"
2337 | resolved "https://registry.yarnpkg.com/parseurl/-/parseurl-1.3.1.tgz#c8ab8c9223ba34888aa64a297b28853bec18da56"
2338 |
2339 | path-browserify@0.0.0:
2340 | version "0.0.0"
2341 | resolved "https://registry.yarnpkg.com/path-browserify/-/path-browserify-0.0.0.tgz#a0b870729aae214005b7d5032ec2cbbb0fb4451a"
2342 |
2343 | path-exists@^2.0.0:
2344 | version "2.1.0"
2345 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-2.1.0.tgz#0feb6c64f0fc518d9a754dd5efb62c7022761f4b"
2346 | dependencies:
2347 | pinkie-promise "^2.0.0"
2348 |
2349 | path-is-absolute@^1.0.0:
2350 | version "1.0.1"
2351 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f"
2352 |
2353 | path-to-regexp@0.1.7:
2354 | version "0.1.7"
2355 | resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-0.1.7.tgz#df604178005f522f15eb4490e7247a1bfaa67f8c"
2356 |
2357 | path-type@^1.0.0:
2358 | version "1.1.0"
2359 | resolved "https://registry.yarnpkg.com/path-type/-/path-type-1.1.0.tgz#59c44f7ee491da704da415da5a4070ba4f8fe441"
2360 | dependencies:
2361 | graceful-fs "^4.1.2"
2362 | pify "^2.0.0"
2363 | pinkie-promise "^2.0.0"
2364 |
2365 | pbkdf2@^3.0.3:
2366 | version "3.0.12"
2367 | resolved "https://registry.yarnpkg.com/pbkdf2/-/pbkdf2-3.0.12.tgz#be36785c5067ea48d806ff923288c5f750b6b8a2"
2368 | dependencies:
2369 | create-hash "^1.1.2"
2370 | create-hmac "^1.1.4"
2371 | ripemd160 "^2.0.1"
2372 | safe-buffer "^5.0.1"
2373 | sha.js "^2.4.8"
2374 |
2375 | performance-now@^0.2.0:
2376 | version "0.2.0"
2377 | resolved "https://registry.yarnpkg.com/performance-now/-/performance-now-0.2.0.tgz#33ef30c5c77d4ea21c5a53869d91b56d8f2555e5"
2378 |
2379 | pify@^2.0.0:
2380 | version "2.3.0"
2381 | resolved "https://registry.yarnpkg.com/pify/-/pify-2.3.0.tgz#ed141a6ac043a849ea588498e7dca8b15330e90c"
2382 |
2383 | pinkie-promise@^2.0.0:
2384 | version "2.0.1"
2385 | resolved "https://registry.yarnpkg.com/pinkie-promise/-/pinkie-promise-2.0.1.tgz#2135d6dfa7a358c069ac9b178776288228450ffa"
2386 | dependencies:
2387 | pinkie "^2.0.0"
2388 |
2389 | pinkie@^2.0.0:
2390 | version "2.0.4"
2391 | resolved "https://registry.yarnpkg.com/pinkie/-/pinkie-2.0.4.tgz#72556b80cfa0d48a974e80e77248e80ed4f7f870"
2392 |
2393 | pkg-dir@^1.0.0:
2394 | version "1.0.0"
2395 | resolved "https://registry.yarnpkg.com/pkg-dir/-/pkg-dir-1.0.0.tgz#7a4b508a8d5bb2d629d447056ff4e9c9314cf3d4"
2396 | dependencies:
2397 | find-up "^1.0.0"
2398 |
2399 | portfinder@^1.0.9:
2400 | version "1.0.13"
2401 | resolved "https://registry.yarnpkg.com/portfinder/-/portfinder-1.0.13.tgz#bb32ecd87c27104ae6ee44b5a3ccbf0ebb1aede9"
2402 | dependencies:
2403 | async "^1.5.2"
2404 | debug "^2.2.0"
2405 | mkdirp "0.5.x"
2406 |
2407 | preserve@^0.2.0:
2408 | version "0.2.0"
2409 | resolved "https://registry.yarnpkg.com/preserve/-/preserve-0.2.0.tgz#815ed1f6ebc65926f865b310c0713bcb3315ce4b"
2410 |
2411 | private@^0.1.6:
2412 | version "0.1.7"
2413 | resolved "https://registry.yarnpkg.com/private/-/private-0.1.7.tgz#68ce5e8a1ef0a23bb570cc28537b5332aba63ef1"
2414 |
2415 | process-nextick-args@~1.0.6:
2416 | version "1.0.7"
2417 | resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-1.0.7.tgz#150e20b756590ad3f91093f25a4f2ad8bff30ba3"
2418 |
2419 | process@^0.11.0:
2420 | version "0.11.10"
2421 | resolved "https://registry.yarnpkg.com/process/-/process-0.11.10.tgz#7332300e840161bda3e69a1d1d91a7d4bc16f182"
2422 |
2423 | promise@^7.1.1:
2424 | version "7.1.1"
2425 | resolved "https://registry.yarnpkg.com/promise/-/promise-7.1.1.tgz#489654c692616b8aa55b0724fa809bb7db49c5bf"
2426 | dependencies:
2427 | asap "~2.0.3"
2428 |
2429 | prop-types@^15.0.0, prop-types@^15.5.6, prop-types@^15.5.7, prop-types@~15.5.7:
2430 | version "15.5.10"
2431 | resolved "https://registry.yarnpkg.com/prop-types/-/prop-types-15.5.10.tgz#2797dfc3126182e3a95e3dfbb2e893ddd7456154"
2432 | dependencies:
2433 | fbjs "^0.8.9"
2434 | loose-envify "^1.3.1"
2435 |
2436 | proxy-addr@~1.1.3:
2437 | version "1.1.4"
2438 | resolved "https://registry.yarnpkg.com/proxy-addr/-/proxy-addr-1.1.4.tgz#27e545f6960a44a627d9b44467e35c1b6b4ce2f3"
2439 | dependencies:
2440 | forwarded "~0.1.0"
2441 | ipaddr.js "1.3.0"
2442 |
2443 | prr@~0.0.0:
2444 | version "0.0.0"
2445 | resolved "https://registry.yarnpkg.com/prr/-/prr-0.0.0.tgz#1a84b85908325501411853d0081ee3fa86e2926a"
2446 |
2447 | public-encrypt@^4.0.0:
2448 | version "4.0.0"
2449 | resolved "https://registry.yarnpkg.com/public-encrypt/-/public-encrypt-4.0.0.tgz#39f699f3a46560dd5ebacbca693caf7c65c18cc6"
2450 | dependencies:
2451 | bn.js "^4.1.0"
2452 | browserify-rsa "^4.0.0"
2453 | create-hash "^1.1.0"
2454 | parse-asn1 "^5.0.0"
2455 | randombytes "^2.0.1"
2456 |
2457 | punycode@1.3.2:
2458 | version "1.3.2"
2459 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.3.2.tgz#9653a036fb7c1ee42342f2325cceefea3926c48d"
2460 |
2461 | punycode@^1.2.4, punycode@^1.4.1:
2462 | version "1.4.1"
2463 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.4.1.tgz#c0d5a63b2718800ad8e1eb0fa5269c84dd41845e"
2464 |
2465 | qs@6.4.0, qs@~6.4.0:
2466 | version "6.4.0"
2467 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.4.0.tgz#13e26d28ad6b0ffaa91312cd3bf708ed351e7233"
2468 |
2469 | query-string@^4.2.2:
2470 | version "4.3.4"
2471 | resolved "https://registry.yarnpkg.com/query-string/-/query-string-4.3.4.tgz#bbb693b9ca915c232515b228b1a02b609043dbeb"
2472 | dependencies:
2473 | object-assign "^4.1.0"
2474 | strict-uri-encode "^1.0.0"
2475 |
2476 | querystring-es3@^0.2.0:
2477 | version "0.2.1"
2478 | resolved "https://registry.yarnpkg.com/querystring-es3/-/querystring-es3-0.2.1.tgz#9ec61f79049875707d69414596fd907a4d711e73"
2479 |
2480 | querystring@0.2.0:
2481 | version "0.2.0"
2482 | resolved "https://registry.yarnpkg.com/querystring/-/querystring-0.2.0.tgz#b209849203bb25df820da756e747005878521620"
2483 |
2484 | querystringify@0.0.x:
2485 | version "0.0.4"
2486 | resolved "https://registry.yarnpkg.com/querystringify/-/querystringify-0.0.4.tgz#0cf7f84f9463ff0ae51c4c4b142d95be37724d9c"
2487 |
2488 | querystringify@~1.0.0:
2489 | version "1.0.0"
2490 | resolved "https://registry.yarnpkg.com/querystringify/-/querystringify-1.0.0.tgz#6286242112c5b712fa654e526652bf6a13ff05cb"
2491 |
2492 | ramda@^0.23.0:
2493 | version "0.23.0"
2494 | resolved "https://registry.yarnpkg.com/ramda/-/ramda-0.23.0.tgz#ccd13fff73497a93974e3e86327bfd87bd6e8e2b"
2495 |
2496 | randomatic@^1.1.3:
2497 | version "1.1.6"
2498 | resolved "https://registry.yarnpkg.com/randomatic/-/randomatic-1.1.6.tgz#110dcabff397e9dcff7c0789ccc0a49adf1ec5bb"
2499 | dependencies:
2500 | is-number "^2.0.2"
2501 | kind-of "^3.0.2"
2502 |
2503 | randombytes@^2.0.0, randombytes@^2.0.1:
2504 | version "2.0.3"
2505 | resolved "https://registry.yarnpkg.com/randombytes/-/randombytes-2.0.3.tgz#674c99760901c3c4112771a31e521dc349cc09ec"
2506 |
2507 | range-parser@^1.0.3, range-parser@~1.2.0:
2508 | version "1.2.0"
2509 | resolved "https://registry.yarnpkg.com/range-parser/-/range-parser-1.2.0.tgz#f49be6b487894ddc40dcc94a322f611092e00d5e"
2510 |
2511 | rc@^1.1.7:
2512 | version "1.2.1"
2513 | resolved "https://registry.yarnpkg.com/rc/-/rc-1.2.1.tgz#2e03e8e42ee450b8cb3dce65be1bf8974e1dfd95"
2514 | dependencies:
2515 | deep-extend "~0.4.0"
2516 | ini "~1.3.0"
2517 | minimist "^1.2.0"
2518 | strip-json-comments "~2.0.1"
2519 |
2520 | react-dom@^15.3.0:
2521 | version "15.5.4"
2522 | resolved "https://registry.yarnpkg.com/react-dom/-/react-dom-15.5.4.tgz#ba0c28786fd52ed7e4f2135fe0288d462aef93da"
2523 | dependencies:
2524 | fbjs "^0.8.9"
2525 | loose-envify "^1.1.0"
2526 | object-assign "^4.1.0"
2527 | prop-types "~15.5.7"
2528 |
2529 | react-redux@^5.0.3:
2530 | version "5.0.4"
2531 | resolved "https://registry.yarnpkg.com/react-redux/-/react-redux-5.0.4.tgz#1563babadcfb2672f57f9ceaa439fb16bf85d55b"
2532 | dependencies:
2533 | create-react-class "^15.5.1"
2534 | hoist-non-react-statics "^1.0.3"
2535 | invariant "^2.0.0"
2536 | lodash "^4.2.0"
2537 | lodash-es "^4.2.0"
2538 | loose-envify "^1.1.0"
2539 | prop-types "^15.0.0"
2540 |
2541 | react-router-redux@^4.0.5:
2542 | version "4.0.8"
2543 | resolved "https://registry.yarnpkg.com/react-router-redux/-/react-router-redux-4.0.8.tgz#227403596b5151e182377dab835b5d45f0f8054e"
2544 |
2545 | react-router@^3.0.2:
2546 | version "3.0.5"
2547 | resolved "https://registry.yarnpkg.com/react-router/-/react-router-3.0.5.tgz#c3b7873758045a8bbc9562aef4ff4bc8cce7c136"
2548 | dependencies:
2549 | create-react-class "^15.5.1"
2550 | history "^3.0.0"
2551 | hoist-non-react-statics "^1.2.0"
2552 | invariant "^2.2.1"
2553 | loose-envify "^1.2.0"
2554 | prop-types "^15.5.6"
2555 | warning "^3.0.0"
2556 |
2557 | react@^15.3.0:
2558 | version "15.5.4"
2559 | resolved "https://registry.yarnpkg.com/react/-/react-15.5.4.tgz#fa83eb01506ab237cdc1c8c3b1cea8de012bf047"
2560 | dependencies:
2561 | fbjs "^0.8.9"
2562 | loose-envify "^1.1.0"
2563 | object-assign "^4.1.0"
2564 | prop-types "^15.5.7"
2565 |
2566 | read-pkg-up@^1.0.1:
2567 | version "1.0.1"
2568 | resolved "https://registry.yarnpkg.com/read-pkg-up/-/read-pkg-up-1.0.1.tgz#9d63c13276c065918d57f002a57f40a1b643fb02"
2569 | dependencies:
2570 | find-up "^1.0.0"
2571 | read-pkg "^1.0.0"
2572 |
2573 | read-pkg@^1.0.0:
2574 | version "1.1.0"
2575 | resolved "https://registry.yarnpkg.com/read-pkg/-/read-pkg-1.1.0.tgz#f5ffaa5ecd29cb31c0474bca7d756b6bb29e3f28"
2576 | dependencies:
2577 | load-json-file "^1.0.0"
2578 | normalize-package-data "^2.3.2"
2579 | path-type "^1.0.0"
2580 |
2581 | readable-stream@^2.0.1, readable-stream@^2.0.2, readable-stream@^2.0.5, readable-stream@^2.0.6, readable-stream@^2.1.4, readable-stream@^2.2.6:
2582 | version "2.2.9"
2583 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.2.9.tgz#cf78ec6f4a6d1eb43d26488cac97f042e74b7fc8"
2584 | dependencies:
2585 | buffer-shims "~1.0.0"
2586 | core-util-is "~1.0.0"
2587 | inherits "~2.0.1"
2588 | isarray "~1.0.0"
2589 | process-nextick-args "~1.0.6"
2590 | string_decoder "~1.0.0"
2591 | util-deprecate "~1.0.1"
2592 |
2593 | readdirp@^2.0.0:
2594 | version "2.1.0"
2595 | resolved "https://registry.yarnpkg.com/readdirp/-/readdirp-2.1.0.tgz#4ed0ad060df3073300c48440373f72d1cc642d78"
2596 | dependencies:
2597 | graceful-fs "^4.1.2"
2598 | minimatch "^3.0.2"
2599 | readable-stream "^2.0.2"
2600 | set-immediate-shim "^1.0.1"
2601 |
2602 | redux-most@^0.4.1:
2603 | version "0.4.1"
2604 | resolved "https://registry.yarnpkg.com/redux-most/-/redux-most-0.4.1.tgz#fd02a11d8eae9a752426d0e421fbfa492e8c7748"
2605 | dependencies:
2606 | "@most/prelude" "^1.6.0"
2607 | most-subject "^5.3.0"
2608 |
2609 | redux@^3.5.2:
2610 | version "3.6.0"
2611 | resolved "https://registry.yarnpkg.com/redux/-/redux-3.6.0.tgz#887c2b3d0b9bd86eca2be70571c27654c19e188d"
2612 | dependencies:
2613 | lodash "^4.2.1"
2614 | lodash-es "^4.2.1"
2615 | loose-envify "^1.1.0"
2616 | symbol-observable "^1.0.2"
2617 |
2618 | regenerate@^1.2.1:
2619 | version "1.3.2"
2620 | resolved "https://registry.yarnpkg.com/regenerate/-/regenerate-1.3.2.tgz#d1941c67bad437e1be76433add5b385f95b19260"
2621 |
2622 | regenerator-runtime@^0.10.0:
2623 | version "0.10.5"
2624 | resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.10.5.tgz#336c3efc1220adcedda2c9fab67b5a7955a33658"
2625 |
2626 | regenerator-transform@0.9.11:
2627 | version "0.9.11"
2628 | resolved "https://registry.yarnpkg.com/regenerator-transform/-/regenerator-transform-0.9.11.tgz#3a7d067520cb7b7176769eb5ff868691befe1283"
2629 | dependencies:
2630 | babel-runtime "^6.18.0"
2631 | babel-types "^6.19.0"
2632 | private "^0.1.6"
2633 |
2634 | regex-cache@^0.4.2:
2635 | version "0.4.3"
2636 | resolved "https://registry.yarnpkg.com/regex-cache/-/regex-cache-0.4.3.tgz#9b1a6c35d4d0dfcef5711ae651e8e9d3d7114145"
2637 | dependencies:
2638 | is-equal-shallow "^0.1.3"
2639 | is-primitive "^2.0.0"
2640 |
2641 | regexpu-core@^2.0.0:
2642 | version "2.0.0"
2643 | resolved "https://registry.yarnpkg.com/regexpu-core/-/regexpu-core-2.0.0.tgz#49d038837b8dcf8bfa5b9a42139938e6ea2ae240"
2644 | dependencies:
2645 | regenerate "^1.2.1"
2646 | regjsgen "^0.2.0"
2647 | regjsparser "^0.1.4"
2648 |
2649 | regjsgen@^0.2.0:
2650 | version "0.2.0"
2651 | resolved "https://registry.yarnpkg.com/regjsgen/-/regjsgen-0.2.0.tgz#6c016adeac554f75823fe37ac05b92d5a4edb1f7"
2652 |
2653 | regjsparser@^0.1.4:
2654 | version "0.1.5"
2655 | resolved "https://registry.yarnpkg.com/regjsparser/-/regjsparser-0.1.5.tgz#7ee8f84dc6fa792d3fd0ae228d24bd949ead205c"
2656 | dependencies:
2657 | jsesc "~0.5.0"
2658 |
2659 | remove-trailing-separator@^1.0.1:
2660 | version "1.0.1"
2661 | resolved "https://registry.yarnpkg.com/remove-trailing-separator/-/remove-trailing-separator-1.0.1.tgz#615ebb96af559552d4bf4057c8436d486ab63cc4"
2662 |
2663 | repeat-element@^1.1.2:
2664 | version "1.1.2"
2665 | resolved "https://registry.yarnpkg.com/repeat-element/-/repeat-element-1.1.2.tgz#ef089a178d1483baae4d93eb98b4f9e4e11d990a"
2666 |
2667 | repeat-string@^1.5.2:
2668 | version "1.6.1"
2669 | resolved "https://registry.yarnpkg.com/repeat-string/-/repeat-string-1.6.1.tgz#8dcae470e1c88abc2d600fff4a776286da75e637"
2670 |
2671 | repeating@^2.0.0:
2672 | version "2.0.1"
2673 | resolved "https://registry.yarnpkg.com/repeating/-/repeating-2.0.1.tgz#5214c53a926d3552707527fbab415dbc08d06dda"
2674 | dependencies:
2675 | is-finite "^1.0.0"
2676 |
2677 | request@^2.81.0:
2678 | version "2.81.0"
2679 | resolved "https://registry.yarnpkg.com/request/-/request-2.81.0.tgz#c6928946a0e06c5f8d6f8a9333469ffda46298a0"
2680 | dependencies:
2681 | aws-sign2 "~0.6.0"
2682 | aws4 "^1.2.1"
2683 | caseless "~0.12.0"
2684 | combined-stream "~1.0.5"
2685 | extend "~3.0.0"
2686 | forever-agent "~0.6.1"
2687 | form-data "~2.1.1"
2688 | har-validator "~4.2.1"
2689 | hawk "~3.1.3"
2690 | http-signature "~1.1.0"
2691 | is-typedarray "~1.0.0"
2692 | isstream "~0.1.2"
2693 | json-stringify-safe "~5.0.1"
2694 | mime-types "~2.1.7"
2695 | oauth-sign "~0.8.1"
2696 | performance-now "^0.2.0"
2697 | qs "~6.4.0"
2698 | safe-buffer "^5.0.1"
2699 | stringstream "~0.0.4"
2700 | tough-cookie "~2.3.0"
2701 | tunnel-agent "^0.6.0"
2702 | uuid "^3.0.0"
2703 |
2704 | require-directory@^2.1.1:
2705 | version "2.1.1"
2706 | resolved "https://registry.yarnpkg.com/require-directory/-/require-directory-2.1.1.tgz#8c64ad5fd30dab1c976e2344ffe7f792a6a6df42"
2707 |
2708 | require-main-filename@^1.0.1:
2709 | version "1.0.1"
2710 | resolved "https://registry.yarnpkg.com/require-main-filename/-/require-main-filename-1.0.1.tgz#97f717b69d48784f5f526a6c5aa8ffdda055a4d1"
2711 |
2712 | requires-port@1.0.x, requires-port@1.x.x:
2713 | version "1.0.0"
2714 | resolved "https://registry.yarnpkg.com/requires-port/-/requires-port-1.0.0.tgz#925d2601d39ac485e091cf0da5c6e694dc3dcaff"
2715 |
2716 | resolve-pathname@^2.0.0:
2717 | version "2.1.0"
2718 | resolved "https://registry.yarnpkg.com/resolve-pathname/-/resolve-pathname-2.1.0.tgz#e8358801b86b83b17560d4e3c382d7aef2100944"
2719 |
2720 | right-align@^0.1.1:
2721 | version "0.1.3"
2722 | resolved "https://registry.yarnpkg.com/right-align/-/right-align-0.1.3.tgz#61339b722fe6a3515689210d24e14c96148613ef"
2723 | dependencies:
2724 | align-text "^0.1.1"
2725 |
2726 | rimraf@2, rimraf@^2.5.1, rimraf@^2.6.1:
2727 | version "2.6.1"
2728 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.6.1.tgz#c2338ec643df7a1b7fe5c54fa86f57428a55f33d"
2729 | dependencies:
2730 | glob "^7.0.5"
2731 |
2732 | ripemd160@^2.0.0, ripemd160@^2.0.1:
2733 | version "2.0.1"
2734 | resolved "https://registry.yarnpkg.com/ripemd160/-/ripemd160-2.0.1.tgz#0f4584295c53a3628af7e6d79aca21ce57d1c6e7"
2735 | dependencies:
2736 | hash-base "^2.0.0"
2737 | inherits "^2.0.1"
2738 |
2739 | safe-buffer@^5.0.1:
2740 | version "5.0.1"
2741 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.0.1.tgz#d263ca54696cd8a306b5ca6551e92de57918fbe7"
2742 |
2743 | select-hose@^2.0.0:
2744 | version "2.0.0"
2745 | resolved "https://registry.yarnpkg.com/select-hose/-/select-hose-2.0.0.tgz#625d8658f865af43ec962bfc376a37359a4994ca"
2746 |
2747 | "semver@2 || 3 || 4 || 5", semver@^5.3.0:
2748 | version "5.3.0"
2749 | resolved "https://registry.yarnpkg.com/semver/-/semver-5.3.0.tgz#9b2ce5d3de02d17c6012ad326aa6b4d0cf54f94f"
2750 |
2751 | send@0.15.1:
2752 | version "0.15.1"
2753 | resolved "https://registry.yarnpkg.com/send/-/send-0.15.1.tgz#8a02354c26e6f5cca700065f5f0cdeba90ec7b5f"
2754 | dependencies:
2755 | debug "2.6.1"
2756 | depd "~1.1.0"
2757 | destroy "~1.0.4"
2758 | encodeurl "~1.0.1"
2759 | escape-html "~1.0.3"
2760 | etag "~1.8.0"
2761 | fresh "0.5.0"
2762 | http-errors "~1.6.1"
2763 | mime "1.3.4"
2764 | ms "0.7.2"
2765 | on-finished "~2.3.0"
2766 | range-parser "~1.2.0"
2767 | statuses "~1.3.1"
2768 |
2769 | serve-index@^1.7.2:
2770 | version "1.8.0"
2771 | resolved "https://registry.yarnpkg.com/serve-index/-/serve-index-1.8.0.tgz#7c5d96c13fb131101f93c1c5774f8516a1e78d3b"
2772 | dependencies:
2773 | accepts "~1.3.3"
2774 | batch "0.5.3"
2775 | debug "~2.2.0"
2776 | escape-html "~1.0.3"
2777 | http-errors "~1.5.0"
2778 | mime-types "~2.1.11"
2779 | parseurl "~1.3.1"
2780 |
2781 | serve-static@1.12.1:
2782 | version "1.12.1"
2783 | resolved "https://registry.yarnpkg.com/serve-static/-/serve-static-1.12.1.tgz#7443a965e3ced647aceb5639fa06bf4d1bbe0039"
2784 | dependencies:
2785 | encodeurl "~1.0.1"
2786 | escape-html "~1.0.3"
2787 | parseurl "~1.3.1"
2788 | send "0.15.1"
2789 |
2790 | set-blocking@^2.0.0, set-blocking@~2.0.0:
2791 | version "2.0.0"
2792 | resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7"
2793 |
2794 | set-immediate-shim@^1.0.1:
2795 | version "1.0.1"
2796 | resolved "https://registry.yarnpkg.com/set-immediate-shim/-/set-immediate-shim-1.0.1.tgz#4b2b1b27eb808a9f8dcc481a58e5e56f599f3f61"
2797 |
2798 | setimmediate@^1.0.4, setimmediate@^1.0.5:
2799 | version "1.0.5"
2800 | resolved "https://registry.yarnpkg.com/setimmediate/-/setimmediate-1.0.5.tgz#290cbb232e306942d7d7ea9b83732ab7856f8285"
2801 |
2802 | setprototypeof@1.0.2:
2803 | version "1.0.2"
2804 | resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.0.2.tgz#81a552141ec104b88e89ce383103ad5c66564d08"
2805 |
2806 | setprototypeof@1.0.3:
2807 | version "1.0.3"
2808 | resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.0.3.tgz#66567e37043eeb4f04d91bd658c0cbefb55b8e04"
2809 |
2810 | sha.js@^2.4.0, sha.js@^2.4.8:
2811 | version "2.4.8"
2812 | resolved "https://registry.yarnpkg.com/sha.js/-/sha.js-2.4.8.tgz#37068c2c476b6baf402d14a49c67f597921f634f"
2813 | dependencies:
2814 | inherits "^2.0.1"
2815 |
2816 | signal-exit@^3.0.0:
2817 | version "3.0.2"
2818 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.2.tgz#b5fdc08f1287ea1178628e415e25132b73646c6d"
2819 |
2820 | slash@^1.0.0:
2821 | version "1.0.0"
2822 | resolved "https://registry.yarnpkg.com/slash/-/slash-1.0.0.tgz#c41f2f6c39fc16d1cd17ad4b5d896114ae470d55"
2823 |
2824 | sntp@1.x.x:
2825 | version "1.0.9"
2826 | resolved "https://registry.yarnpkg.com/sntp/-/sntp-1.0.9.tgz#6541184cc90aeea6c6e7b35e2659082443c66198"
2827 | dependencies:
2828 | hoek "2.x.x"
2829 |
2830 | sockjs-client@1.1.2:
2831 | version "1.1.2"
2832 | resolved "https://registry.yarnpkg.com/sockjs-client/-/sockjs-client-1.1.2.tgz#f0212a8550e4c9468c8cceaeefd2e3493c033ad5"
2833 | dependencies:
2834 | debug "^2.2.0"
2835 | eventsource "0.1.6"
2836 | faye-websocket "~0.11.0"
2837 | inherits "^2.0.1"
2838 | json3 "^3.3.2"
2839 | url-parse "^1.1.1"
2840 |
2841 | sockjs@0.3.18:
2842 | version "0.3.18"
2843 | resolved "https://registry.yarnpkg.com/sockjs/-/sockjs-0.3.18.tgz#d9b289316ca7df77595ef299e075f0f937eb4207"
2844 | dependencies:
2845 | faye-websocket "^0.10.0"
2846 | uuid "^2.0.2"
2847 |
2848 | source-list-map@^1.1.1:
2849 | version "1.1.2"
2850 | resolved "https://registry.yarnpkg.com/source-list-map/-/source-list-map-1.1.2.tgz#9889019d1024cce55cdc069498337ef6186a11a1"
2851 |
2852 | source-map-support@^0.4.2:
2853 | version "0.4.15"
2854 | resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.4.15.tgz#03202df65c06d2bd8c7ec2362a193056fef8d3b1"
2855 | dependencies:
2856 | source-map "^0.5.6"
2857 |
2858 | source-map@^0.5.0, source-map@^0.5.3, source-map@^0.5.6, source-map@~0.5.1, source-map@~0.5.3:
2859 | version "0.5.6"
2860 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.5.6.tgz#75ce38f52bf0733c5a7f0c118d81334a2bb5f412"
2861 |
2862 | spdx-correct@~1.0.0:
2863 | version "1.0.2"
2864 | resolved "https://registry.yarnpkg.com/spdx-correct/-/spdx-correct-1.0.2.tgz#4b3073d933ff51f3912f03ac5519498a4150db40"
2865 | dependencies:
2866 | spdx-license-ids "^1.0.2"
2867 |
2868 | spdx-expression-parse@~1.0.0:
2869 | version "1.0.4"
2870 | resolved "https://registry.yarnpkg.com/spdx-expression-parse/-/spdx-expression-parse-1.0.4.tgz#9bdf2f20e1f40ed447fbe273266191fced51626c"
2871 |
2872 | spdx-license-ids@^1.0.2:
2873 | version "1.2.2"
2874 | resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-1.2.2.tgz#c9df7a3424594ade6bd11900d596696dc06bac57"
2875 |
2876 | spdy-transport@^2.0.15:
2877 | version "2.0.18"
2878 | resolved "https://registry.yarnpkg.com/spdy-transport/-/spdy-transport-2.0.18.tgz#43fc9c56be2cccc12bb3e2754aa971154e836ea6"
2879 | dependencies:
2880 | debug "^2.2.0"
2881 | hpack.js "^2.1.6"
2882 | obuf "^1.1.0"
2883 | readable-stream "^2.0.1"
2884 | wbuf "^1.4.0"
2885 |
2886 | spdy@^3.4.1:
2887 | version "3.4.4"
2888 | resolved "https://registry.yarnpkg.com/spdy/-/spdy-3.4.4.tgz#e0406407ca90ff01b553eb013505442649f5a819"
2889 | dependencies:
2890 | debug "^2.2.0"
2891 | handle-thing "^1.2.4"
2892 | http-deceiver "^1.2.4"
2893 | select-hose "^2.0.0"
2894 | spdy-transport "^2.0.15"
2895 |
2896 | sshpk@^1.7.0:
2897 | version "1.13.0"
2898 | resolved "https://registry.yarnpkg.com/sshpk/-/sshpk-1.13.0.tgz#ff2a3e4fd04497555fed97b39a0fd82fafb3a33c"
2899 | dependencies:
2900 | asn1 "~0.2.3"
2901 | assert-plus "^1.0.0"
2902 | dashdash "^1.12.0"
2903 | getpass "^0.1.1"
2904 | optionalDependencies:
2905 | bcrypt-pbkdf "^1.0.0"
2906 | ecc-jsbn "~0.1.1"
2907 | jodid25519 "^1.0.0"
2908 | jsbn "~0.1.0"
2909 | tweetnacl "~0.14.0"
2910 |
2911 | "statuses@>= 1.3.1 < 2", statuses@~1.3.1:
2912 | version "1.3.1"
2913 | resolved "https://registry.yarnpkg.com/statuses/-/statuses-1.3.1.tgz#faf51b9eb74aaef3b3acf4ad5f61abf24cb7b93e"
2914 |
2915 | stream-browserify@^2.0.1:
2916 | version "2.0.1"
2917 | resolved "https://registry.yarnpkg.com/stream-browserify/-/stream-browserify-2.0.1.tgz#66266ee5f9bdb9940a4e4514cafb43bb71e5c9db"
2918 | dependencies:
2919 | inherits "~2.0.1"
2920 | readable-stream "^2.0.2"
2921 |
2922 | stream-http@^2.3.1:
2923 | version "2.7.1"
2924 | resolved "https://registry.yarnpkg.com/stream-http/-/stream-http-2.7.1.tgz#546a51741ad5a6b07e9e31b0b10441a917df528a"
2925 | dependencies:
2926 | builtin-status-codes "^3.0.0"
2927 | inherits "^2.0.1"
2928 | readable-stream "^2.2.6"
2929 | to-arraybuffer "^1.0.0"
2930 | xtend "^4.0.0"
2931 |
2932 | strict-uri-encode@^1.0.0:
2933 | version "1.1.0"
2934 | resolved "https://registry.yarnpkg.com/strict-uri-encode/-/strict-uri-encode-1.1.0.tgz#279b225df1d582b1f54e65addd4352e18faa0713"
2935 |
2936 | string-width@^1.0.1, string-width@^1.0.2:
2937 | version "1.0.2"
2938 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-1.0.2.tgz#118bdf5b8cdc51a2a7e70d211e07e2b0b9b107d3"
2939 | dependencies:
2940 | code-point-at "^1.0.0"
2941 | is-fullwidth-code-point "^1.0.0"
2942 | strip-ansi "^3.0.0"
2943 |
2944 | string_decoder@^0.10.25:
2945 | version "0.10.31"
2946 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-0.10.31.tgz#62e203bc41766c6c28c9fc84301dab1c5310fa94"
2947 |
2948 | string_decoder@~1.0.0:
2949 | version "1.0.0"
2950 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.0.0.tgz#f06f41157b664d86069f84bdbdc9b0d8ab281667"
2951 | dependencies:
2952 | buffer-shims "~1.0.0"
2953 |
2954 | stringstream@~0.0.4:
2955 | version "0.0.5"
2956 | resolved "https://registry.yarnpkg.com/stringstream/-/stringstream-0.0.5.tgz#4e484cd4de5a0bbbee18e46307710a8a81621878"
2957 |
2958 | strip-ansi@^3.0.0, strip-ansi@^3.0.1:
2959 | version "3.0.1"
2960 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-3.0.1.tgz#6a385fb8853d952d5ff05d0e8aaf94278dc63dcf"
2961 | dependencies:
2962 | ansi-regex "^2.0.0"
2963 |
2964 | strip-bom@^2.0.0:
2965 | version "2.0.0"
2966 | resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-2.0.0.tgz#6219a85616520491f35788bdbf1447a99c7e6b0e"
2967 | dependencies:
2968 | is-utf8 "^0.2.0"
2969 |
2970 | strip-json-comments@~2.0.1:
2971 | version "2.0.1"
2972 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-2.0.1.tgz#3c531942e908c2697c0ec344858c286c7ca0a60a"
2973 |
2974 | supports-color@^2.0.0:
2975 | version "2.0.0"
2976 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-2.0.0.tgz#535d045ce6b6363fa40117084629995e9df324c7"
2977 |
2978 | supports-color@^3.1.0, supports-color@^3.1.1:
2979 | version "3.2.3"
2980 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-3.2.3.tgz#65ac0504b3954171d8a64946b2ae3cbb8a5f54f6"
2981 | dependencies:
2982 | has-flag "^1.0.0"
2983 |
2984 | symbol-observable@^1.0.2:
2985 | version "1.0.4"
2986 | resolved "https://registry.yarnpkg.com/symbol-observable/-/symbol-observable-1.0.4.tgz#29bf615d4aa7121bdd898b22d4b3f9bc4e2aa03d"
2987 |
2988 | tapable@^0.2.5, tapable@~0.2.5:
2989 | version "0.2.6"
2990 | resolved "https://registry.yarnpkg.com/tapable/-/tapable-0.2.6.tgz#206be8e188860b514425375e6f1ae89bfb01fd8d"
2991 |
2992 | tar-pack@^3.4.0:
2993 | version "3.4.0"
2994 | resolved "https://registry.yarnpkg.com/tar-pack/-/tar-pack-3.4.0.tgz#23be2d7f671a8339376cbdb0b8fe3fdebf317984"
2995 | dependencies:
2996 | debug "^2.2.0"
2997 | fstream "^1.0.10"
2998 | fstream-ignore "^1.0.5"
2999 | once "^1.3.3"
3000 | readable-stream "^2.1.4"
3001 | rimraf "^2.5.1"
3002 | tar "^2.2.1"
3003 | uid-number "^0.0.6"
3004 |
3005 | tar@^2.2.1:
3006 | version "2.2.1"
3007 | resolved "https://registry.yarnpkg.com/tar/-/tar-2.2.1.tgz#8e4d2a256c0e2185c6b18ad694aec968b83cb1d1"
3008 | dependencies:
3009 | block-stream "*"
3010 | fstream "^1.0.2"
3011 | inherits "2"
3012 |
3013 | timers-browserify@^2.0.2:
3014 | version "2.0.2"
3015 | resolved "https://registry.yarnpkg.com/timers-browserify/-/timers-browserify-2.0.2.tgz#ab4883cf597dcd50af211349a00fbca56ac86b86"
3016 | dependencies:
3017 | setimmediate "^1.0.4"
3018 |
3019 | to-arraybuffer@^1.0.0:
3020 | version "1.0.1"
3021 | resolved "https://registry.yarnpkg.com/to-arraybuffer/-/to-arraybuffer-1.0.1.tgz#7d229b1fcc637e466ca081180836a7aabff83f43"
3022 |
3023 | to-fast-properties@^1.0.1:
3024 | version "1.0.3"
3025 | resolved "https://registry.yarnpkg.com/to-fast-properties/-/to-fast-properties-1.0.3.tgz#b83571fa4d8c25b82e231b06e3a3055de4ca1a47"
3026 |
3027 | tough-cookie@~2.3.0:
3028 | version "2.3.2"
3029 | resolved "https://registry.yarnpkg.com/tough-cookie/-/tough-cookie-2.3.2.tgz#f081f76e4c85720e6c37a5faced737150d84072a"
3030 | dependencies:
3031 | punycode "^1.4.1"
3032 |
3033 | trim-right@^1.0.1:
3034 | version "1.0.1"
3035 | resolved "https://registry.yarnpkg.com/trim-right/-/trim-right-1.0.1.tgz#cb2e1203067e0c8de1f614094b9fe45704ea6003"
3036 |
3037 | tty-browserify@0.0.0:
3038 | version "0.0.0"
3039 | resolved "https://registry.yarnpkg.com/tty-browserify/-/tty-browserify-0.0.0.tgz#a157ba402da24e9bf957f9aa69d524eed42901a6"
3040 |
3041 | tunnel-agent@^0.6.0:
3042 | version "0.6.0"
3043 | resolved "https://registry.yarnpkg.com/tunnel-agent/-/tunnel-agent-0.6.0.tgz#27a5dea06b36b04a0a9966774b290868f0fc40fd"
3044 | dependencies:
3045 | safe-buffer "^5.0.1"
3046 |
3047 | tweetnacl@^0.14.3, tweetnacl@~0.14.0:
3048 | version "0.14.5"
3049 | resolved "https://registry.yarnpkg.com/tweetnacl/-/tweetnacl-0.14.5.tgz#5ae68177f192d4456269d108afa93ff8743f4f64"
3050 |
3051 | type-is@~1.6.14:
3052 | version "1.6.15"
3053 | resolved "https://registry.yarnpkg.com/type-is/-/type-is-1.6.15.tgz#cab10fb4909e441c82842eafe1ad646c81804410"
3054 | dependencies:
3055 | media-typer "0.3.0"
3056 | mime-types "~2.1.15"
3057 |
3058 | ua-parser-js@^0.7.9:
3059 | version "0.7.12"
3060 | resolved "https://registry.yarnpkg.com/ua-parser-js/-/ua-parser-js-0.7.12.tgz#04c81a99bdd5dc52263ea29d24c6bf8d4818a4bb"
3061 |
3062 | uglify-js@^2.8.5:
3063 | version "2.8.24"
3064 | resolved "https://registry.yarnpkg.com/uglify-js/-/uglify-js-2.8.24.tgz#48eb5175cf32e22ec11a47e638d7c8b4e0faf2dd"
3065 | dependencies:
3066 | source-map "~0.5.1"
3067 | yargs "~3.10.0"
3068 | optionalDependencies:
3069 | uglify-to-browserify "~1.0.0"
3070 |
3071 | uglify-to-browserify@~1.0.0:
3072 | version "1.0.2"
3073 | resolved "https://registry.yarnpkg.com/uglify-to-browserify/-/uglify-to-browserify-1.0.2.tgz#6e0924d6bda6b5afe349e39a6d632850a0f882b7"
3074 |
3075 | uid-number@^0.0.6:
3076 | version "0.0.6"
3077 | resolved "https://registry.yarnpkg.com/uid-number/-/uid-number-0.0.6.tgz#0ea10e8035e8eb5b8e4449f06da1c730663baa81"
3078 |
3079 | unpipe@~1.0.0:
3080 | version "1.0.0"
3081 | resolved "https://registry.yarnpkg.com/unpipe/-/unpipe-1.0.0.tgz#b2bf4ee8514aae6165b4817829d21b2ef49904ec"
3082 |
3083 | url-parse@1.0.x:
3084 | version "1.0.5"
3085 | resolved "https://registry.yarnpkg.com/url-parse/-/url-parse-1.0.5.tgz#0854860422afdcfefeb6c965c662d4800169927b"
3086 | dependencies:
3087 | querystringify "0.0.x"
3088 | requires-port "1.0.x"
3089 |
3090 | url-parse@^1.1.1:
3091 | version "1.1.9"
3092 | resolved "https://registry.yarnpkg.com/url-parse/-/url-parse-1.1.9.tgz#c67f1d775d51f0a18911dd7b3ffad27bb9e5bd19"
3093 | dependencies:
3094 | querystringify "~1.0.0"
3095 | requires-port "1.0.x"
3096 |
3097 | url@^0.11.0:
3098 | version "0.11.0"
3099 | resolved "https://registry.yarnpkg.com/url/-/url-0.11.0.tgz#3838e97cfc60521eb73c525a8e55bfdd9e2e28f1"
3100 | dependencies:
3101 | punycode "1.3.2"
3102 | querystring "0.2.0"
3103 |
3104 | user-home@^1.1.1:
3105 | version "1.1.1"
3106 | resolved "https://registry.yarnpkg.com/user-home/-/user-home-1.1.1.tgz#2b5be23a32b63a7c9deb8d0f28d485724a3df190"
3107 |
3108 | util-deprecate@~1.0.1:
3109 | version "1.0.2"
3110 | resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf"
3111 |
3112 | util@0.10.3, util@^0.10.3:
3113 | version "0.10.3"
3114 | resolved "https://registry.yarnpkg.com/util/-/util-0.10.3.tgz#7afb1afe50805246489e3db7fe0ed379336ac0f9"
3115 | dependencies:
3116 | inherits "2.0.1"
3117 |
3118 | utils-merge@1.0.0:
3119 | version "1.0.0"
3120 | resolved "https://registry.yarnpkg.com/utils-merge/-/utils-merge-1.0.0.tgz#0294fb922bb9375153541c4f7096231f287c8af8"
3121 |
3122 | uuid@^2.0.2:
3123 | version "2.0.3"
3124 | resolved "https://registry.yarnpkg.com/uuid/-/uuid-2.0.3.tgz#67e2e863797215530dff318e5bf9dcebfd47b21a"
3125 |
3126 | uuid@^3.0.0:
3127 | version "3.0.1"
3128 | resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.0.1.tgz#6544bba2dfda8c1cf17e629a3a305e2bb1fee6c1"
3129 |
3130 | v8flags@^2.0.10:
3131 | version "2.1.1"
3132 | resolved "https://registry.yarnpkg.com/v8flags/-/v8flags-2.1.1.tgz#aab1a1fa30d45f88dd321148875ac02c0b55e5b4"
3133 | dependencies:
3134 | user-home "^1.1.1"
3135 |
3136 | validate-npm-package-license@^3.0.1:
3137 | version "3.0.1"
3138 | resolved "https://registry.yarnpkg.com/validate-npm-package-license/-/validate-npm-package-license-3.0.1.tgz#2804babe712ad3379459acfbe24746ab2c303fbc"
3139 | dependencies:
3140 | spdx-correct "~1.0.0"
3141 | spdx-expression-parse "~1.0.0"
3142 |
3143 | value-equal@^0.2.0:
3144 | version "0.2.1"
3145 | resolved "https://registry.yarnpkg.com/value-equal/-/value-equal-0.2.1.tgz#c220a304361fce6994dbbedaa3c7e1a1b895871d"
3146 |
3147 | vary@~1.1.0:
3148 | version "1.1.1"
3149 | resolved "https://registry.yarnpkg.com/vary/-/vary-1.1.1.tgz#67535ebb694c1d52257457984665323f587e8d37"
3150 |
3151 | verror@1.3.6:
3152 | version "1.3.6"
3153 | resolved "https://registry.yarnpkg.com/verror/-/verror-1.3.6.tgz#cff5df12946d297d2baaefaa2689e25be01c005c"
3154 | dependencies:
3155 | extsprintf "1.0.2"
3156 |
3157 | vm-browserify@0.0.4:
3158 | version "0.0.4"
3159 | resolved "https://registry.yarnpkg.com/vm-browserify/-/vm-browserify-0.0.4.tgz#5d7ea45bbef9e4a6ff65f95438e0a87c357d5a73"
3160 | dependencies:
3161 | indexof "0.0.1"
3162 |
3163 | warning@^3.0.0:
3164 | version "3.0.0"
3165 | resolved "https://registry.yarnpkg.com/warning/-/warning-3.0.0.tgz#32e5377cb572de4ab04753bdf8821c01ed605b7c"
3166 | dependencies:
3167 | loose-envify "^1.0.0"
3168 |
3169 | watchpack@^1.3.1:
3170 | version "1.3.1"
3171 | resolved "https://registry.yarnpkg.com/watchpack/-/watchpack-1.3.1.tgz#7d8693907b28ce6013e7f3610aa2a1acf07dad87"
3172 | dependencies:
3173 | async "^2.1.2"
3174 | chokidar "^1.4.3"
3175 | graceful-fs "^4.1.2"
3176 |
3177 | wbuf@^1.1.0, wbuf@^1.4.0:
3178 | version "1.7.2"
3179 | resolved "https://registry.yarnpkg.com/wbuf/-/wbuf-1.7.2.tgz#d697b99f1f59512df2751be42769c1580b5801fe"
3180 | dependencies:
3181 | minimalistic-assert "^1.0.0"
3182 |
3183 | webpack-dev-middleware@^1.10.2:
3184 | version "1.10.2"
3185 | resolved "https://registry.yarnpkg.com/webpack-dev-middleware/-/webpack-dev-middleware-1.10.2.tgz#2e252ce1dfb020dbda1ccb37df26f30ab014dbd1"
3186 | dependencies:
3187 | memory-fs "~0.4.1"
3188 | mime "^1.3.4"
3189 | path-is-absolute "^1.0.0"
3190 | range-parser "^1.0.3"
3191 |
3192 | webpack-dev-server@^2.4.5:
3193 | version "2.4.5"
3194 | resolved "https://registry.yarnpkg.com/webpack-dev-server/-/webpack-dev-server-2.4.5.tgz#31384ce81136be1080b4b4cde0eb9b90e54ee6cf"
3195 | dependencies:
3196 | ansi-html "0.0.7"
3197 | chokidar "^1.6.0"
3198 | compression "^1.5.2"
3199 | connect-history-api-fallback "^1.3.0"
3200 | express "^4.13.3"
3201 | html-entities "^1.2.0"
3202 | http-proxy-middleware "~0.17.4"
3203 | opn "4.0.2"
3204 | portfinder "^1.0.9"
3205 | serve-index "^1.7.2"
3206 | sockjs "0.3.18"
3207 | sockjs-client "1.1.2"
3208 | spdy "^3.4.1"
3209 | strip-ansi "^3.0.0"
3210 | supports-color "^3.1.1"
3211 | webpack-dev-middleware "^1.10.2"
3212 | yargs "^6.0.0"
3213 |
3214 | webpack-sources@^0.2.3:
3215 | version "0.2.3"
3216 | resolved "https://registry.yarnpkg.com/webpack-sources/-/webpack-sources-0.2.3.tgz#17c62bfaf13c707f9d02c479e0dcdde8380697fb"
3217 | dependencies:
3218 | source-list-map "^1.1.1"
3219 | source-map "~0.5.3"
3220 |
3221 | webpack@^2.5.1:
3222 | version "2.5.1"
3223 | resolved "https://registry.yarnpkg.com/webpack/-/webpack-2.5.1.tgz#61742f0cf8af555b87460a9cd8bba2f1e3ee2fce"
3224 | dependencies:
3225 | acorn "^5.0.0"
3226 | acorn-dynamic-import "^2.0.0"
3227 | ajv "^4.7.0"
3228 | ajv-keywords "^1.1.1"
3229 | async "^2.1.2"
3230 | enhanced-resolve "^3.0.0"
3231 | interpret "^1.0.0"
3232 | json-loader "^0.5.4"
3233 | json5 "^0.5.1"
3234 | loader-runner "^2.3.0"
3235 | loader-utils "^0.2.16"
3236 | memory-fs "~0.4.1"
3237 | mkdirp "~0.5.0"
3238 | node-libs-browser "^2.0.0"
3239 | source-map "^0.5.3"
3240 | supports-color "^3.1.0"
3241 | tapable "~0.2.5"
3242 | uglify-js "^2.8.5"
3243 | watchpack "^1.3.1"
3244 | webpack-sources "^0.2.3"
3245 | yargs "^6.0.0"
3246 |
3247 | websocket-driver@>=0.5.1:
3248 | version "0.6.5"
3249 | resolved "https://registry.yarnpkg.com/websocket-driver/-/websocket-driver-0.6.5.tgz#5cb2556ceb85f4373c6d8238aa691c8454e13a36"
3250 | dependencies:
3251 | websocket-extensions ">=0.1.1"
3252 |
3253 | websocket-extensions@>=0.1.1:
3254 | version "0.1.1"
3255 | resolved "https://registry.yarnpkg.com/websocket-extensions/-/websocket-extensions-0.1.1.tgz#76899499c184b6ef754377c2dbb0cd6cb55d29e7"
3256 |
3257 | whatwg-fetch@>=0.10.0:
3258 | version "2.0.3"
3259 | resolved "https://registry.yarnpkg.com/whatwg-fetch/-/whatwg-fetch-2.0.3.tgz#9c84ec2dcf68187ff00bc64e1274b442176e1c84"
3260 |
3261 | which-module@^1.0.0:
3262 | version "1.0.0"
3263 | resolved "https://registry.yarnpkg.com/which-module/-/which-module-1.0.0.tgz#bba63ca861948994ff307736089e3b96026c2a4f"
3264 |
3265 | wide-align@^1.1.0:
3266 | version "1.1.2"
3267 | resolved "https://registry.yarnpkg.com/wide-align/-/wide-align-1.1.2.tgz#571e0f1b0604636ebc0dfc21b0339bbe31341710"
3268 | dependencies:
3269 | string-width "^1.0.2"
3270 |
3271 | window-size@0.1.0:
3272 | version "0.1.0"
3273 | resolved "https://registry.yarnpkg.com/window-size/-/window-size-0.1.0.tgz#5438cd2ea93b202efa3a19fe8887aee7c94f9c9d"
3274 |
3275 | wordwrap@0.0.2:
3276 | version "0.0.2"
3277 | resolved "https://registry.yarnpkg.com/wordwrap/-/wordwrap-0.0.2.tgz#b79669bb42ecb409f83d583cad52ca17eaa1643f"
3278 |
3279 | wrap-ansi@^2.0.0:
3280 | version "2.1.0"
3281 | resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-2.1.0.tgz#d8fc3d284dd05794fe84973caecdd1cf824fdd85"
3282 | dependencies:
3283 | string-width "^1.0.1"
3284 | strip-ansi "^3.0.1"
3285 |
3286 | wrappy@1:
3287 | version "1.0.2"
3288 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f"
3289 |
3290 | xtend@^4.0.0:
3291 | version "4.0.1"
3292 | resolved "https://registry.yarnpkg.com/xtend/-/xtend-4.0.1.tgz#a5c6d532be656e23db820efb943a1f04998d63af"
3293 |
3294 | y18n@^3.2.1:
3295 | version "3.2.1"
3296 | resolved "https://registry.yarnpkg.com/y18n/-/y18n-3.2.1.tgz#6d15fba884c08679c0d77e88e7759e811e07fa41"
3297 |
3298 | yargs-parser@^4.2.0:
3299 | version "4.2.1"
3300 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-4.2.1.tgz#29cceac0dc4f03c6c87b4a9f217dd18c9f74871c"
3301 | dependencies:
3302 | camelcase "^3.0.0"
3303 |
3304 | yargs@^6.0.0:
3305 | version "6.6.0"
3306 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-6.6.0.tgz#782ec21ef403345f830a808ca3d513af56065208"
3307 | dependencies:
3308 | camelcase "^3.0.0"
3309 | cliui "^3.2.0"
3310 | decamelize "^1.1.1"
3311 | get-caller-file "^1.0.1"
3312 | os-locale "^1.4.0"
3313 | read-pkg-up "^1.0.1"
3314 | require-directory "^2.1.1"
3315 | require-main-filename "^1.0.1"
3316 | set-blocking "^2.0.0"
3317 | string-width "^1.0.2"
3318 | which-module "^1.0.0"
3319 | y18n "^3.2.1"
3320 | yargs-parser "^4.2.0"
3321 |
3322 | yargs@~3.10.0:
3323 | version "3.10.0"
3324 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-3.10.0.tgz#f7ee7bd857dd7c1d2d38c0e74efbd681d1431fd1"
3325 | dependencies:
3326 | camelcase "^1.0.2"
3327 | cliui "^2.1.0"
3328 | decamelize "^1.0.0"
3329 | window-size "0.1.0"
3330 |
--------------------------------------------------------------------------------