From 971a74e13ad71a8a73c850c622705f53fc8d98f5 Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Mon, 11 Jun 2018 00:38:03 +0530 Subject: [PATCH 01/15] #509: Component Object Pattern --- component-object/pom.xml | 45 + .../com/iluwatar/component/app/TodoApp.java | 12 + .../src/main/resources/application.properties | 0 .../src/main/resources/static/dist/bundle.js | 3380 +++++++++++++++++ .../src/main/resources/static/index.html | 11 + component-object/src/main/ui/.babelrc | 4 + component-object/src/main/ui/.eslintrc | 8 + component-object/src/main/ui/.gitignore | 5 + component-object/src/main/ui/devServer.js | 32 + component-object/src/main/ui/index.html | 11 + component-object/src/main/ui/package.json | 38 + .../src/main/ui/src/actions/index.js | 37 + .../main/ui/src/components/AddGroceryItem.js | 34 + .../src/main/ui/src/components/AddTodo.js | 34 + .../src/main/ui/src/components/App.js | 18 + .../src/main/ui/src/components/FilterLink.js | 24 + .../src/main/ui/src/components/Footer.js | 22 + .../src/main/ui/src/components/Link.js | 27 + .../src/main/ui/src/components/Todo.js | 20 + .../src/main/ui/src/components/TodoList.js | 26 + .../ui/src/components/VisibleGroceryList.js | 37 + .../main/ui/src/components/VisibleTodoList.js | 37 + component-object/src/main/ui/src/index.js | 16 + .../src/main/ui/src/reducers/groceryList.js | 38 + .../src/main/ui/src/reducers/index.js | 12 + .../src/main/ui/src/reducers/todos.js | 38 + .../main/ui/src/reducers/visibilityFilter.js | 10 + .../src/main/ui/webpack.config.babel.js | 19 + .../iluwatar/component/AddItemComponent.java | 23 + .../component/ItemsListComponent.java | 54 + .../com/iluwatar/component/TodoAppTest.java | 254 ++ .../iluwatar/component/TodoPageObject.java | 79 + pom.xml | 3 +- 33 files changed, 4407 insertions(+), 1 deletion(-) create mode 100644 component-object/pom.xml create mode 100644 component-object/src/main/java/com/iluwatar/component/app/TodoApp.java create mode 100644 component-object/src/main/resources/application.properties create mode 100644 component-object/src/main/resources/static/dist/bundle.js create mode 100644 component-object/src/main/resources/static/index.html create mode 100644 component-object/src/main/ui/.babelrc create mode 100644 component-object/src/main/ui/.eslintrc create mode 100644 component-object/src/main/ui/.gitignore create mode 100644 component-object/src/main/ui/devServer.js create mode 100644 component-object/src/main/ui/index.html create mode 100644 component-object/src/main/ui/package.json create mode 100644 component-object/src/main/ui/src/actions/index.js create mode 100644 component-object/src/main/ui/src/components/AddGroceryItem.js create mode 100644 component-object/src/main/ui/src/components/AddTodo.js create mode 100644 component-object/src/main/ui/src/components/App.js create mode 100644 component-object/src/main/ui/src/components/FilterLink.js create mode 100644 component-object/src/main/ui/src/components/Footer.js create mode 100644 component-object/src/main/ui/src/components/Link.js create mode 100644 component-object/src/main/ui/src/components/Todo.js create mode 100644 component-object/src/main/ui/src/components/TodoList.js create mode 100644 component-object/src/main/ui/src/components/VisibleGroceryList.js create mode 100644 component-object/src/main/ui/src/components/VisibleTodoList.js create mode 100644 component-object/src/main/ui/src/index.js create mode 100644 component-object/src/main/ui/src/reducers/groceryList.js create mode 100644 component-object/src/main/ui/src/reducers/index.js create mode 100644 component-object/src/main/ui/src/reducers/todos.js create mode 100644 component-object/src/main/ui/src/reducers/visibilityFilter.js create mode 100644 component-object/src/main/ui/webpack.config.babel.js create mode 100644 component-object/src/test/java/com/iluwatar/component/AddItemComponent.java create mode 100644 component-object/src/test/java/com/iluwatar/component/ItemsListComponent.java create mode 100644 component-object/src/test/java/com/iluwatar/component/TodoAppTest.java create mode 100644 component-object/src/test/java/com/iluwatar/component/TodoPageObject.java diff --git a/component-object/pom.xml b/component-object/pom.xml new file mode 100644 index 000000000..bb00d89b4 --- /dev/null +++ b/component-object/pom.xml @@ -0,0 +1,45 @@ + + + 4.0.0 + + com.iluwatar + java-design-patterns + 1.20.0-SNAPSHOT + + component-object + + + org.springframework.boot + spring-boot-starter-web + compile + + + commons-logging + commons-logging + + + + + org.springframework.boot + spring-boot-starter-test + test + + + io.github.bonigarcia + webdrivermanager + 1.4.6 + test + + + + + + org.springframework.boot + spring-boot-starter-parent + 1.4.1.RELEASE + import + pom + + + + diff --git a/component-object/src/main/java/com/iluwatar/component/app/TodoApp.java b/component-object/src/main/java/com/iluwatar/component/app/TodoApp.java new file mode 100644 index 000000000..943fdcbcf --- /dev/null +++ b/component-object/src/main/java/com/iluwatar/component/app/TodoApp.java @@ -0,0 +1,12 @@ +package com.iluwatar.component.app; + +import org.springframework.boot.SpringApplication; +import org.springframework.boot.autoconfigure.SpringBootApplication; + +@SpringBootApplication +public class TodoApp { + + public static void main(String[] args) { + SpringApplication.run(TodoApp.class, args); + } +} diff --git a/component-object/src/main/resources/application.properties b/component-object/src/main/resources/application.properties new file mode 100644 index 000000000..e69de29bb diff --git a/component-object/src/main/resources/static/dist/bundle.js b/component-object/src/main/resources/static/dist/bundle.js new file mode 100644 index 000000000..9469a9dcf --- /dev/null +++ b/component-object/src/main/resources/static/dist/bundle.js @@ -0,0 +1,3380 @@ +/******/ (function(modules) { // webpackBootstrap +/******/ // The module cache +/******/ var installedModules = {}; + +/******/ // The require function +/******/ function __webpack_require__(moduleId) { + +/******/ // Check if module is in cache +/******/ if(installedModules[moduleId]) +/******/ return installedModules[moduleId].exports; + +/******/ // Create a new module (and put it into the cache) +/******/ var module = installedModules[moduleId] = { +/******/ exports: {}, +/******/ id: moduleId, +/******/ loaded: false +/******/ }; + +/******/ // Execute the module function +/******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); + +/******/ // Flag the module as loaded +/******/ module.loaded = true; + +/******/ // Return the exports of the module +/******/ return module.exports; +/******/ } + + +/******/ // expose the modules object (__webpack_modules__) +/******/ __webpack_require__.m = modules; + +/******/ // expose the module cache +/******/ __webpack_require__.c = installedModules; + +/******/ // __webpack_public_path__ +/******/ __webpack_require__.p = "/static/"; + +/******/ // Load entry module and return exports +/******/ return __webpack_require__(0); +/******/ }) +/************************************************************************/ +/******/ ([ +/* 0 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n\n__webpack_require__(1);\n\nvar _react = __webpack_require__(327);\n\nvar _react2 = _interopRequireDefault(_react);\n\nvar _reactDom = __webpack_require__(363);\n\nvar _reactRedux = __webpack_require__(510);\n\nvar _redux = __webpack_require__(519);\n\nvar _reducers = __webpack_require__(541);\n\nvar _reducers2 = _interopRequireDefault(_reducers);\n\nvar _App = __webpack_require__(545);\n\nvar _App2 = _interopRequireDefault(_App);\n\nfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\nvar store = (0, _redux.createStore)(_reducers2.default);\n\n(0, _reactDom.render)(_react2.default.createElement(\n _reactRedux.Provider,\n { store: store },\n _react2.default.createElement(_App2.default, null)\n), document.getElementById('root'));\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/index.js\n// module id = 0\n// module chunks = 0\n//# sourceURL=webpack:///./src/index.js?"); + +/***/ }), +/* 1 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(global) {\"use strict\";\n\n__webpack_require__(2);\n\n__webpack_require__(323);\n\n__webpack_require__(324);\n\nif (global._babelPolyfill) {\n throw new Error(\"only one instance of babel-polyfill is allowed\");\n}\nglobal._babelPolyfill = true;\n\nvar DEFINE_PROPERTY = \"defineProperty\";\nfunction define(O, key, value) {\n O[key] || Object[DEFINE_PROPERTY](O, key, {\n writable: true,\n configurable: true,\n value: value\n });\n}\n\ndefine(String.prototype, \"padLeft\", \"\".padStart);\ndefine(String.prototype, \"padRight\", \"\".padEnd);\n\n\"pop,reverse,shift,keys,values,entries,indexOf,every,some,forEach,map,filter,find,findIndex,includes,join,slice,concat,push,splice,unshift,sort,lastIndexOf,reduce,reduceRight,copyWithin,fill\".split(\",\").forEach(function (key) {\n [][key] && define(Array, key, Function.call.bind([][key]));\n});\n/* WEBPACK VAR INJECTION */}.call(exports, (function() { return this; }())))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/babel-polyfill/lib/index.js\n// module id = 1\n// module chunks = 0\n//# sourceURL=webpack:///./~/babel-polyfill/lib/index.js?"); + +/***/ }), +/* 2 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(3);\n__webpack_require__(51);\n__webpack_require__(52);\n__webpack_require__(53);\n__webpack_require__(54);\n__webpack_require__(56);\n__webpack_require__(59);\n__webpack_require__(60);\n__webpack_require__(61);\n__webpack_require__(62);\n__webpack_require__(63);\n__webpack_require__(64);\n__webpack_require__(65);\n__webpack_require__(66);\n__webpack_require__(67);\n__webpack_require__(69);\n__webpack_require__(71);\n__webpack_require__(73);\n__webpack_require__(75);\n__webpack_require__(78);\n__webpack_require__(79);\n__webpack_require__(80);\n__webpack_require__(84);\n__webpack_require__(86);\n__webpack_require__(88);\n__webpack_require__(91);\n__webpack_require__(92);\n__webpack_require__(93);\n__webpack_require__(94);\n__webpack_require__(96);\n__webpack_require__(97);\n__webpack_require__(98);\n__webpack_require__(99);\n__webpack_require__(100);\n__webpack_require__(101);\n__webpack_require__(102);\n__webpack_require__(104);\n__webpack_require__(105);\n__webpack_require__(106);\n__webpack_require__(108);\n__webpack_require__(109);\n__webpack_require__(110);\n__webpack_require__(112);\n__webpack_require__(114);\n__webpack_require__(115);\n__webpack_require__(116);\n__webpack_require__(117);\n__webpack_require__(118);\n__webpack_require__(119);\n__webpack_require__(120);\n__webpack_require__(121);\n__webpack_require__(122);\n__webpack_require__(123);\n__webpack_require__(124);\n__webpack_require__(125);\n__webpack_require__(126);\n__webpack_require__(131);\n__webpack_require__(132);\n__webpack_require__(136);\n__webpack_require__(137);\n__webpack_require__(138);\n__webpack_require__(139);\n__webpack_require__(141);\n__webpack_require__(142);\n__webpack_require__(143);\n__webpack_require__(144);\n__webpack_require__(145);\n__webpack_require__(146);\n__webpack_require__(147);\n__webpack_require__(148);\n__webpack_require__(149);\n__webpack_require__(150);\n__webpack_require__(151);\n__webpack_require__(152);\n__webpack_require__(153);\n__webpack_require__(154);\n__webpack_require__(155);\n__webpack_require__(157);\n__webpack_require__(158);\n__webpack_require__(160);\n__webpack_require__(161);\n__webpack_require__(167);\n__webpack_require__(168);\n__webpack_require__(170);\n__webpack_require__(171);\n__webpack_require__(172);\n__webpack_require__(176);\n__webpack_require__(177);\n__webpack_require__(178);\n__webpack_require__(179);\n__webpack_require__(180);\n__webpack_require__(182);\n__webpack_require__(183);\n__webpack_require__(184);\n__webpack_require__(185);\n__webpack_require__(188);\n__webpack_require__(190);\n__webpack_require__(191);\n__webpack_require__(192);\n__webpack_require__(194);\n__webpack_require__(196);\n__webpack_require__(198);\n__webpack_require__(199);\n__webpack_require__(200);\n__webpack_require__(202);\n__webpack_require__(203);\n__webpack_require__(204);\n__webpack_require__(205);\n__webpack_require__(216);\n__webpack_require__(220);\n__webpack_require__(221);\n__webpack_require__(223);\n__webpack_require__(224);\n__webpack_require__(228);\n__webpack_require__(229);\n__webpack_require__(231);\n__webpack_require__(232);\n__webpack_require__(233);\n__webpack_require__(234);\n__webpack_require__(235);\n__webpack_require__(236);\n__webpack_require__(237);\n__webpack_require__(238);\n__webpack_require__(239);\n__webpack_require__(240);\n__webpack_require__(241);\n__webpack_require__(242);\n__webpack_require__(243);\n__webpack_require__(244);\n__webpack_require__(245);\n__webpack_require__(246);\n__webpack_require__(247);\n__webpack_require__(248);\n__webpack_require__(249);\n__webpack_require__(251);\n__webpack_require__(252);\n__webpack_require__(253);\n__webpack_require__(254);\n__webpack_require__(255);\n__webpack_require__(257);\n__webpack_require__(258);\n__webpack_require__(259);\n__webpack_require__(261);\n__webpack_require__(262);\n__webpack_require__(263);\n__webpack_require__(264);\n__webpack_require__(265);\n__webpack_require__(266);\n__webpack_require__(267);\n__webpack_require__(268);\n__webpack_require__(270);\n__webpack_require__(271);\n__webpack_require__(273);\n__webpack_require__(274);\n__webpack_require__(275);\n__webpack_require__(276);\n__webpack_require__(279);\n__webpack_require__(280);\n__webpack_require__(282);\n__webpack_require__(283);\n__webpack_require__(284);\n__webpack_require__(285);\n__webpack_require__(287);\n__webpack_require__(288);\n__webpack_require__(289);\n__webpack_require__(290);\n__webpack_require__(291);\n__webpack_require__(292);\n__webpack_require__(293);\n__webpack_require__(294);\n__webpack_require__(295);\n__webpack_require__(296);\n__webpack_require__(298);\n__webpack_require__(299);\n__webpack_require__(300);\n__webpack_require__(301);\n__webpack_require__(302);\n__webpack_require__(303);\n__webpack_require__(304);\n__webpack_require__(305);\n__webpack_require__(306);\n__webpack_require__(307);\n__webpack_require__(308);\n__webpack_require__(310);\n__webpack_require__(311);\n__webpack_require__(312);\n__webpack_require__(313);\n__webpack_require__(314);\n__webpack_require__(315);\n__webpack_require__(316);\n__webpack_require__(317);\n__webpack_require__(318);\n__webpack_require__(319);\n__webpack_require__(320);\n__webpack_require__(321);\n__webpack_require__(322);\nmodule.exports = __webpack_require__(9);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/shim.js\n// module id = 2\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/shim.js?"); + +/***/ }), +/* 3 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// ECMAScript 6 symbols shim\nvar global = __webpack_require__(4);\nvar has = __webpack_require__(5);\nvar DESCRIPTORS = __webpack_require__(6);\nvar $export = __webpack_require__(8);\nvar redefine = __webpack_require__(18);\nvar META = __webpack_require__(22).KEY;\nvar $fails = __webpack_require__(7);\nvar shared = __webpack_require__(23);\nvar setToStringTag = __webpack_require__(25);\nvar uid = __webpack_require__(19);\nvar wks = __webpack_require__(26);\nvar wksExt = __webpack_require__(27);\nvar wksDefine = __webpack_require__(28);\nvar enumKeys = __webpack_require__(29);\nvar isArray = __webpack_require__(44);\nvar anObject = __webpack_require__(12);\nvar isObject = __webpack_require__(13);\nvar toIObject = __webpack_require__(32);\nvar toPrimitive = __webpack_require__(16);\nvar createDesc = __webpack_require__(17);\nvar _create = __webpack_require__(45);\nvar gOPNExt = __webpack_require__(48);\nvar $GOPD = __webpack_require__(50);\nvar $DP = __webpack_require__(11);\nvar $keys = __webpack_require__(30);\nvar gOPD = $GOPD.f;\nvar dP = $DP.f;\nvar gOPN = gOPNExt.f;\nvar $Symbol = global.Symbol;\nvar $JSON = global.JSON;\nvar _stringify = $JSON && $JSON.stringify;\nvar PROTOTYPE = 'prototype';\nvar HIDDEN = wks('_hidden');\nvar TO_PRIMITIVE = wks('toPrimitive');\nvar isEnum = {}.propertyIsEnumerable;\nvar SymbolRegistry = shared('symbol-registry');\nvar AllSymbols = shared('symbols');\nvar OPSymbols = shared('op-symbols');\nvar ObjectProto = Object[PROTOTYPE];\nvar USE_NATIVE = typeof $Symbol == 'function';\nvar QObject = global.QObject;\n// Don't use setters in Qt Script, https://github.com/zloirock/core-js/issues/173\nvar setter = !QObject || !QObject[PROTOTYPE] || !QObject[PROTOTYPE].findChild;\n\n// fallback for old Android, https://code.google.com/p/v8/issues/detail?id=687\nvar setSymbolDesc = DESCRIPTORS && $fails(function () {\n return _create(dP({}, 'a', {\n get: function () { return dP(this, 'a', { value: 7 }).a; }\n })).a != 7;\n}) ? function (it, key, D) {\n var protoDesc = gOPD(ObjectProto, key);\n if (protoDesc) delete ObjectProto[key];\n dP(it, key, D);\n if (protoDesc && it !== ObjectProto) dP(ObjectProto, key, protoDesc);\n} : dP;\n\nvar wrap = function (tag) {\n var sym = AllSymbols[tag] = _create($Symbol[PROTOTYPE]);\n sym._k = tag;\n return sym;\n};\n\nvar isSymbol = USE_NATIVE && typeof $Symbol.iterator == 'symbol' ? function (it) {\n return typeof it == 'symbol';\n} : function (it) {\n return it instanceof $Symbol;\n};\n\nvar $defineProperty = function defineProperty(it, key, D) {\n if (it === ObjectProto) $defineProperty(OPSymbols, key, D);\n anObject(it);\n key = toPrimitive(key, true);\n anObject(D);\n if (has(AllSymbols, key)) {\n if (!D.enumerable) {\n if (!has(it, HIDDEN)) dP(it, HIDDEN, createDesc(1, {}));\n it[HIDDEN][key] = true;\n } else {\n if (has(it, HIDDEN) && it[HIDDEN][key]) it[HIDDEN][key] = false;\n D = _create(D, { enumerable: createDesc(0, false) });\n } return setSymbolDesc(it, key, D);\n } return dP(it, key, D);\n};\nvar $defineProperties = function defineProperties(it, P) {\n anObject(it);\n var keys = enumKeys(P = toIObject(P));\n var i = 0;\n var l = keys.length;\n var key;\n while (l > i) $defineProperty(it, key = keys[i++], P[key]);\n return it;\n};\nvar $create = function create(it, P) {\n return P === undefined ? _create(it) : $defineProperties(_create(it), P);\n};\nvar $propertyIsEnumerable = function propertyIsEnumerable(key) {\n var E = isEnum.call(this, key = toPrimitive(key, true));\n if (this === ObjectProto && has(AllSymbols, key) && !has(OPSymbols, key)) return false;\n return E || !has(this, key) || !has(AllSymbols, key) || has(this, HIDDEN) && this[HIDDEN][key] ? E : true;\n};\nvar $getOwnPropertyDescriptor = function getOwnPropertyDescriptor(it, key) {\n it = toIObject(it);\n key = toPrimitive(key, true);\n if (it === ObjectProto && has(AllSymbols, key) && !has(OPSymbols, key)) return;\n var D = gOPD(it, key);\n if (D && has(AllSymbols, key) && !(has(it, HIDDEN) && it[HIDDEN][key])) D.enumerable = true;\n return D;\n};\nvar $getOwnPropertyNames = function getOwnPropertyNames(it) {\n var names = gOPN(toIObject(it));\n var result = [];\n var i = 0;\n var key;\n while (names.length > i) {\n if (!has(AllSymbols, key = names[i++]) && key != HIDDEN && key != META) result.push(key);\n } return result;\n};\nvar $getOwnPropertySymbols = function getOwnPropertySymbols(it) {\n var IS_OP = it === ObjectProto;\n var names = gOPN(IS_OP ? OPSymbols : toIObject(it));\n var result = [];\n var i = 0;\n var key;\n while (names.length > i) {\n if (has(AllSymbols, key = names[i++]) && (IS_OP ? has(ObjectProto, key) : true)) result.push(AllSymbols[key]);\n } return result;\n};\n\n// 19.4.1.1 Symbol([description])\nif (!USE_NATIVE) {\n $Symbol = function Symbol() {\n if (this instanceof $Symbol) throw TypeError('Symbol is not a constructor!');\n var tag = uid(arguments.length > 0 ? arguments[0] : undefined);\n var $set = function (value) {\n if (this === ObjectProto) $set.call(OPSymbols, value);\n if (has(this, HIDDEN) && has(this[HIDDEN], tag)) this[HIDDEN][tag] = false;\n setSymbolDesc(this, tag, createDesc(1, value));\n };\n if (DESCRIPTORS && setter) setSymbolDesc(ObjectProto, tag, { configurable: true, set: $set });\n return wrap(tag);\n };\n redefine($Symbol[PROTOTYPE], 'toString', function toString() {\n return this._k;\n });\n\n $GOPD.f = $getOwnPropertyDescriptor;\n $DP.f = $defineProperty;\n __webpack_require__(49).f = gOPNExt.f = $getOwnPropertyNames;\n __webpack_require__(43).f = $propertyIsEnumerable;\n __webpack_require__(42).f = $getOwnPropertySymbols;\n\n if (DESCRIPTORS && !__webpack_require__(24)) {\n redefine(ObjectProto, 'propertyIsEnumerable', $propertyIsEnumerable, true);\n }\n\n wksExt.f = function (name) {\n return wrap(wks(name));\n };\n}\n\n$export($export.G + $export.W + $export.F * !USE_NATIVE, { Symbol: $Symbol });\n\nfor (var es6Symbols = (\n // 19.4.2.2, 19.4.2.3, 19.4.2.4, 19.4.2.6, 19.4.2.8, 19.4.2.9, 19.4.2.10, 19.4.2.11, 19.4.2.12, 19.4.2.13, 19.4.2.14\n 'hasInstance,isConcatSpreadable,iterator,match,replace,search,species,split,toPrimitive,toStringTag,unscopables'\n).split(','), j = 0; es6Symbols.length > j;)wks(es6Symbols[j++]);\n\nfor (var wellKnownSymbols = $keys(wks.store), k = 0; wellKnownSymbols.length > k;) wksDefine(wellKnownSymbols[k++]);\n\n$export($export.S + $export.F * !USE_NATIVE, 'Symbol', {\n // 19.4.2.1 Symbol.for(key)\n 'for': function (key) {\n return has(SymbolRegistry, key += '')\n ? SymbolRegistry[key]\n : SymbolRegistry[key] = $Symbol(key);\n },\n // 19.4.2.5 Symbol.keyFor(sym)\n keyFor: function keyFor(sym) {\n if (!isSymbol(sym)) throw TypeError(sym + ' is not a symbol!');\n for (var key in SymbolRegistry) if (SymbolRegistry[key] === sym) return key;\n },\n useSetter: function () { setter = true; },\n useSimple: function () { setter = false; }\n});\n\n$export($export.S + $export.F * !USE_NATIVE, 'Object', {\n // 19.1.2.2 Object.create(O [, Properties])\n create: $create,\n // 19.1.2.4 Object.defineProperty(O, P, Attributes)\n defineProperty: $defineProperty,\n // 19.1.2.3 Object.defineProperties(O, Properties)\n defineProperties: $defineProperties,\n // 19.1.2.6 Object.getOwnPropertyDescriptor(O, P)\n getOwnPropertyDescriptor: $getOwnPropertyDescriptor,\n // 19.1.2.7 Object.getOwnPropertyNames(O)\n getOwnPropertyNames: $getOwnPropertyNames,\n // 19.1.2.8 Object.getOwnPropertySymbols(O)\n getOwnPropertySymbols: $getOwnPropertySymbols\n});\n\n// 24.3.2 JSON.stringify(value [, replacer [, space]])\n$JSON && $export($export.S + $export.F * (!USE_NATIVE || $fails(function () {\n var S = $Symbol();\n // MS Edge converts symbol values to JSON as {}\n // WebKit converts symbol values to JSON as null\n // V8 throws on boxed symbols\n return _stringify([S]) != '[null]' || _stringify({ a: S }) != '{}' || _stringify(Object(S)) != '{}';\n})), 'JSON', {\n stringify: function stringify(it) {\n var args = [it];\n var i = 1;\n var replacer, $replacer;\n while (arguments.length > i) args.push(arguments[i++]);\n $replacer = replacer = args[1];\n if (!isObject(replacer) && it === undefined || isSymbol(it)) return; // IE8 returns string on undefined\n if (!isArray(replacer)) replacer = function (key, value) {\n if (typeof $replacer == 'function') value = $replacer.call(this, key, value);\n if (!isSymbol(value)) return value;\n };\n args[1] = replacer;\n return _stringify.apply($JSON, args);\n }\n});\n\n// 19.4.3.4 Symbol.prototype[@@toPrimitive](hint)\n$Symbol[PROTOTYPE][TO_PRIMITIVE] || __webpack_require__(10)($Symbol[PROTOTYPE], TO_PRIMITIVE, $Symbol[PROTOTYPE].valueOf);\n// 19.4.3.5 Symbol.prototype[@@toStringTag]\nsetToStringTag($Symbol, 'Symbol');\n// 20.2.1.9 Math[@@toStringTag]\nsetToStringTag(Math, 'Math', true);\n// 24.3.3 JSON[@@toStringTag]\nsetToStringTag(global.JSON, 'JSON', true);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.symbol.js\n// module id = 3\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.symbol.js?"); + +/***/ }), +/* 4 */ +/***/ (function(module, exports) { + + eval("// https://github.com/zloirock/core-js/issues/86#issuecomment-115759028\nvar global = module.exports = typeof window != 'undefined' && window.Math == Math\n ? window : typeof self != 'undefined' && self.Math == Math ? self\n // eslint-disable-next-line no-new-func\n : Function('return this')();\nif (typeof __g == 'number') __g = global; // eslint-disable-line no-undef\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_global.js\n// module id = 4\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_global.js?"); + +/***/ }), +/* 5 */ +/***/ (function(module, exports) { + + eval("var hasOwnProperty = {}.hasOwnProperty;\nmodule.exports = function (it, key) {\n return hasOwnProperty.call(it, key);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_has.js\n// module id = 5\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_has.js?"); + +/***/ }), +/* 6 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// Thank's IE8 for his funny defineProperty\nmodule.exports = !__webpack_require__(7)(function () {\n return Object.defineProperty({}, 'a', { get: function () { return 7; } }).a != 7;\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_descriptors.js\n// module id = 6\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_descriptors.js?"); + +/***/ }), +/* 7 */ +/***/ (function(module, exports) { + + eval("module.exports = function (exec) {\n try {\n return !!exec();\n } catch (e) {\n return true;\n }\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_fails.js\n// module id = 7\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_fails.js?"); + +/***/ }), +/* 8 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var global = __webpack_require__(4);\nvar core = __webpack_require__(9);\nvar hide = __webpack_require__(10);\nvar redefine = __webpack_require__(18);\nvar ctx = __webpack_require__(20);\nvar PROTOTYPE = 'prototype';\n\nvar $export = function (type, name, source) {\n var IS_FORCED = type & $export.F;\n var IS_GLOBAL = type & $export.G;\n var IS_STATIC = type & $export.S;\n var IS_PROTO = type & $export.P;\n var IS_BIND = type & $export.B;\n var target = IS_GLOBAL ? global : IS_STATIC ? global[name] || (global[name] = {}) : (global[name] || {})[PROTOTYPE];\n var exports = IS_GLOBAL ? core : core[name] || (core[name] = {});\n var expProto = exports[PROTOTYPE] || (exports[PROTOTYPE] = {});\n var key, own, out, exp;\n if (IS_GLOBAL) source = name;\n for (key in source) {\n // contains in native\n own = !IS_FORCED && target && target[key] !== undefined;\n // export native or passed\n out = (own ? target : source)[key];\n // bind timers to global for call from export context\n exp = IS_BIND && own ? ctx(out, global) : IS_PROTO && typeof out == 'function' ? ctx(Function.call, out) : out;\n // extend global\n if (target) redefine(target, key, out, type & $export.U);\n // export\n if (exports[key] != out) hide(exports, key, exp);\n if (IS_PROTO && expProto[key] != out) expProto[key] = out;\n }\n};\nglobal.core = core;\n// type bitmap\n$export.F = 1; // forced\n$export.G = 2; // global\n$export.S = 4; // static\n$export.P = 8; // proto\n$export.B = 16; // bind\n$export.W = 32; // wrap\n$export.U = 64; // safe\n$export.R = 128; // real proto method for `library`\nmodule.exports = $export;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_export.js\n// module id = 8\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_export.js?"); + +/***/ }), +/* 9 */ +/***/ (function(module, exports) { + + eval("var core = module.exports = { version: '2.5.7' };\nif (typeof __e == 'number') __e = core; // eslint-disable-line no-undef\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_core.js\n// module id = 9\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_core.js?"); + +/***/ }), +/* 10 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var dP = __webpack_require__(11);\nvar createDesc = __webpack_require__(17);\nmodule.exports = __webpack_require__(6) ? function (object, key, value) {\n return dP.f(object, key, createDesc(1, value));\n} : function (object, key, value) {\n object[key] = value;\n return object;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_hide.js\n// module id = 10\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_hide.js?"); + +/***/ }), +/* 11 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var anObject = __webpack_require__(12);\nvar IE8_DOM_DEFINE = __webpack_require__(14);\nvar toPrimitive = __webpack_require__(16);\nvar dP = Object.defineProperty;\n\nexports.f = __webpack_require__(6) ? Object.defineProperty : function defineProperty(O, P, Attributes) {\n anObject(O);\n P = toPrimitive(P, true);\n anObject(Attributes);\n if (IE8_DOM_DEFINE) try {\n return dP(O, P, Attributes);\n } catch (e) { /* empty */ }\n if ('get' in Attributes || 'set' in Attributes) throw TypeError('Accessors not supported!');\n if ('value' in Attributes) O[P] = Attributes.value;\n return O;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-dp.js\n// module id = 11\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-dp.js?"); + +/***/ }), +/* 12 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var isObject = __webpack_require__(13);\nmodule.exports = function (it) {\n if (!isObject(it)) throw TypeError(it + ' is not an object!');\n return it;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_an-object.js\n// module id = 12\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_an-object.js?"); + +/***/ }), +/* 13 */ +/***/ (function(module, exports) { + + eval("module.exports = function (it) {\n return typeof it === 'object' ? it !== null : typeof it === 'function';\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_is-object.js\n// module id = 13\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_is-object.js?"); + +/***/ }), +/* 14 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("module.exports = !__webpack_require__(6) && !__webpack_require__(7)(function () {\n return Object.defineProperty(__webpack_require__(15)('div'), 'a', { get: function () { return 7; } }).a != 7;\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_ie8-dom-define.js\n// module id = 14\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_ie8-dom-define.js?"); + +/***/ }), +/* 15 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var isObject = __webpack_require__(13);\nvar document = __webpack_require__(4).document;\n// typeof document.createElement is 'object' in old IE\nvar is = isObject(document) && isObject(document.createElement);\nmodule.exports = function (it) {\n return is ? document.createElement(it) : {};\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_dom-create.js\n// module id = 15\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_dom-create.js?"); + +/***/ }), +/* 16 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 7.1.1 ToPrimitive(input [, PreferredType])\nvar isObject = __webpack_require__(13);\n// instead of the ES6 spec version, we didn't implement @@toPrimitive case\n// and the second argument - flag - preferred type is a string\nmodule.exports = function (it, S) {\n if (!isObject(it)) return it;\n var fn, val;\n if (S && typeof (fn = it.toString) == 'function' && !isObject(val = fn.call(it))) return val;\n if (typeof (fn = it.valueOf) == 'function' && !isObject(val = fn.call(it))) return val;\n if (!S && typeof (fn = it.toString) == 'function' && !isObject(val = fn.call(it))) return val;\n throw TypeError(\"Can't convert object to primitive value\");\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_to-primitive.js\n// module id = 16\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_to-primitive.js?"); + +/***/ }), +/* 17 */ +/***/ (function(module, exports) { + + eval("module.exports = function (bitmap, value) {\n return {\n enumerable: !(bitmap & 1),\n configurable: !(bitmap & 2),\n writable: !(bitmap & 4),\n value: value\n };\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_property-desc.js\n// module id = 17\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_property-desc.js?"); + +/***/ }), +/* 18 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var global = __webpack_require__(4);\nvar hide = __webpack_require__(10);\nvar has = __webpack_require__(5);\nvar SRC = __webpack_require__(19)('src');\nvar TO_STRING = 'toString';\nvar $toString = Function[TO_STRING];\nvar TPL = ('' + $toString).split(TO_STRING);\n\n__webpack_require__(9).inspectSource = function (it) {\n return $toString.call(it);\n};\n\n(module.exports = function (O, key, val, safe) {\n var isFunction = typeof val == 'function';\n if (isFunction) has(val, 'name') || hide(val, 'name', key);\n if (O[key] === val) return;\n if (isFunction) has(val, SRC) || hide(val, SRC, O[key] ? '' + O[key] : TPL.join(String(key)));\n if (O === global) {\n O[key] = val;\n } else if (!safe) {\n delete O[key];\n hide(O, key, val);\n } else if (O[key]) {\n O[key] = val;\n } else {\n hide(O, key, val);\n }\n// add fake Function#toString for correct work wrapped methods / constructors with methods like LoDash isNative\n})(Function.prototype, TO_STRING, function toString() {\n return typeof this == 'function' && this[SRC] || $toString.call(this);\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_redefine.js\n// module id = 18\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_redefine.js?"); + +/***/ }), +/* 19 */ +/***/ (function(module, exports) { + + eval("var id = 0;\nvar px = Math.random();\nmodule.exports = function (key) {\n return 'Symbol('.concat(key === undefined ? '' : key, ')_', (++id + px).toString(36));\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_uid.js\n// module id = 19\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_uid.js?"); + +/***/ }), +/* 20 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// optional / simple context binding\nvar aFunction = __webpack_require__(21);\nmodule.exports = function (fn, that, length) {\n aFunction(fn);\n if (that === undefined) return fn;\n switch (length) {\n case 1: return function (a) {\n return fn.call(that, a);\n };\n case 2: return function (a, b) {\n return fn.call(that, a, b);\n };\n case 3: return function (a, b, c) {\n return fn.call(that, a, b, c);\n };\n }\n return function (/* ...args */) {\n return fn.apply(that, arguments);\n };\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_ctx.js\n// module id = 20\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_ctx.js?"); + +/***/ }), +/* 21 */ +/***/ (function(module, exports) { + + eval("module.exports = function (it) {\n if (typeof it != 'function') throw TypeError(it + ' is not a function!');\n return it;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_a-function.js\n// module id = 21\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_a-function.js?"); + +/***/ }), +/* 22 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var META = __webpack_require__(19)('meta');\nvar isObject = __webpack_require__(13);\nvar has = __webpack_require__(5);\nvar setDesc = __webpack_require__(11).f;\nvar id = 0;\nvar isExtensible = Object.isExtensible || function () {\n return true;\n};\nvar FREEZE = !__webpack_require__(7)(function () {\n return isExtensible(Object.preventExtensions({}));\n});\nvar setMeta = function (it) {\n setDesc(it, META, { value: {\n i: 'O' + ++id, // object ID\n w: {} // weak collections IDs\n } });\n};\nvar fastKey = function (it, create) {\n // return primitive with prefix\n if (!isObject(it)) return typeof it == 'symbol' ? it : (typeof it == 'string' ? 'S' : 'P') + it;\n if (!has(it, META)) {\n // can't set metadata to uncaught frozen object\n if (!isExtensible(it)) return 'F';\n // not necessary to add metadata\n if (!create) return 'E';\n // add missing metadata\n setMeta(it);\n // return object ID\n } return it[META].i;\n};\nvar getWeak = function (it, create) {\n if (!has(it, META)) {\n // can't set metadata to uncaught frozen object\n if (!isExtensible(it)) return true;\n // not necessary to add metadata\n if (!create) return false;\n // add missing metadata\n setMeta(it);\n // return hash weak collections IDs\n } return it[META].w;\n};\n// add metadata on freeze-family methods calling\nvar onFreeze = function (it) {\n if (FREEZE && meta.NEED && isExtensible(it) && !has(it, META)) setMeta(it);\n return it;\n};\nvar meta = module.exports = {\n KEY: META,\n NEED: false,\n fastKey: fastKey,\n getWeak: getWeak,\n onFreeze: onFreeze\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_meta.js\n// module id = 22\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_meta.js?"); + +/***/ }), +/* 23 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var core = __webpack_require__(9);\nvar global = __webpack_require__(4);\nvar SHARED = '__core-js_shared__';\nvar store = global[SHARED] || (global[SHARED] = {});\n\n(module.exports = function (key, value) {\n return store[key] || (store[key] = value !== undefined ? value : {});\n})('versions', []).push({\n version: core.version,\n mode: __webpack_require__(24) ? 'pure' : 'global',\n copyright: '© 2018 Denis Pushkarev (zloirock.ru)'\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_shared.js\n// module id = 23\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_shared.js?"); + +/***/ }), +/* 24 */ +/***/ (function(module, exports) { + + eval("module.exports = false;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_library.js\n// module id = 24\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_library.js?"); + +/***/ }), +/* 25 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var def = __webpack_require__(11).f;\nvar has = __webpack_require__(5);\nvar TAG = __webpack_require__(26)('toStringTag');\n\nmodule.exports = function (it, tag, stat) {\n if (it && !has(it = stat ? it : it.prototype, TAG)) def(it, TAG, { configurable: true, value: tag });\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_set-to-string-tag.js\n// module id = 25\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_set-to-string-tag.js?"); + +/***/ }), +/* 26 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var store = __webpack_require__(23)('wks');\nvar uid = __webpack_require__(19);\nvar Symbol = __webpack_require__(4).Symbol;\nvar USE_SYMBOL = typeof Symbol == 'function';\n\nvar $exports = module.exports = function (name) {\n return store[name] || (store[name] =\n USE_SYMBOL && Symbol[name] || (USE_SYMBOL ? Symbol : uid)('Symbol.' + name));\n};\n\n$exports.store = store;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_wks.js\n// module id = 26\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_wks.js?"); + +/***/ }), +/* 27 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("exports.f = __webpack_require__(26);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_wks-ext.js\n// module id = 27\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_wks-ext.js?"); + +/***/ }), +/* 28 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var global = __webpack_require__(4);\nvar core = __webpack_require__(9);\nvar LIBRARY = __webpack_require__(24);\nvar wksExt = __webpack_require__(27);\nvar defineProperty = __webpack_require__(11).f;\nmodule.exports = function (name) {\n var $Symbol = core.Symbol || (core.Symbol = LIBRARY ? {} : global.Symbol || {});\n if (name.charAt(0) != '_' && !(name in $Symbol)) defineProperty($Symbol, name, { value: wksExt.f(name) });\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_wks-define.js\n// module id = 28\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_wks-define.js?"); + +/***/ }), +/* 29 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// all enumerable object keys, includes symbols\nvar getKeys = __webpack_require__(30);\nvar gOPS = __webpack_require__(42);\nvar pIE = __webpack_require__(43);\nmodule.exports = function (it) {\n var result = getKeys(it);\n var getSymbols = gOPS.f;\n if (getSymbols) {\n var symbols = getSymbols(it);\n var isEnum = pIE.f;\n var i = 0;\n var key;\n while (symbols.length > i) if (isEnum.call(it, key = symbols[i++])) result.push(key);\n } return result;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_enum-keys.js\n// module id = 29\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_enum-keys.js?"); + +/***/ }), +/* 30 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.14 / 15.2.3.14 Object.keys(O)\nvar $keys = __webpack_require__(31);\nvar enumBugKeys = __webpack_require__(41);\n\nmodule.exports = Object.keys || function keys(O) {\n return $keys(O, enumBugKeys);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-keys.js\n// module id = 30\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-keys.js?"); + +/***/ }), +/* 31 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var has = __webpack_require__(5);\nvar toIObject = __webpack_require__(32);\nvar arrayIndexOf = __webpack_require__(36)(false);\nvar IE_PROTO = __webpack_require__(40)('IE_PROTO');\n\nmodule.exports = function (object, names) {\n var O = toIObject(object);\n var i = 0;\n var result = [];\n var key;\n for (key in O) if (key != IE_PROTO) has(O, key) && result.push(key);\n // Don't enum bug & hidden keys\n while (names.length > i) if (has(O, key = names[i++])) {\n ~arrayIndexOf(result, key) || result.push(key);\n }\n return result;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-keys-internal.js\n// module id = 31\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-keys-internal.js?"); + +/***/ }), +/* 32 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// to indexed object, toObject with fallback for non-array-like ES3 strings\nvar IObject = __webpack_require__(33);\nvar defined = __webpack_require__(35);\nmodule.exports = function (it) {\n return IObject(defined(it));\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_to-iobject.js\n// module id = 32\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_to-iobject.js?"); + +/***/ }), +/* 33 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// fallback for non-array-like ES3 and non-enumerable old V8 strings\nvar cof = __webpack_require__(34);\n// eslint-disable-next-line no-prototype-builtins\nmodule.exports = Object('z').propertyIsEnumerable(0) ? Object : function (it) {\n return cof(it) == 'String' ? it.split('') : Object(it);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_iobject.js\n// module id = 33\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_iobject.js?"); + +/***/ }), +/* 34 */ +/***/ (function(module, exports) { + + eval("var toString = {}.toString;\n\nmodule.exports = function (it) {\n return toString.call(it).slice(8, -1);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_cof.js\n// module id = 34\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_cof.js?"); + +/***/ }), +/* 35 */ +/***/ (function(module, exports) { + + eval("// 7.2.1 RequireObjectCoercible(argument)\nmodule.exports = function (it) {\n if (it == undefined) throw TypeError(\"Can't call method on \" + it);\n return it;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_defined.js\n// module id = 35\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_defined.js?"); + +/***/ }), +/* 36 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// false -> Array#indexOf\n// true -> Array#includes\nvar toIObject = __webpack_require__(32);\nvar toLength = __webpack_require__(37);\nvar toAbsoluteIndex = __webpack_require__(39);\nmodule.exports = function (IS_INCLUDES) {\n return function ($this, el, fromIndex) {\n var O = toIObject($this);\n var length = toLength(O.length);\n var index = toAbsoluteIndex(fromIndex, length);\n var value;\n // Array#includes uses SameValueZero equality algorithm\n // eslint-disable-next-line no-self-compare\n if (IS_INCLUDES && el != el) while (length > index) {\n value = O[index++];\n // eslint-disable-next-line no-self-compare\n if (value != value) return true;\n // Array#indexOf ignores holes, Array#includes - not\n } else for (;length > index; index++) if (IS_INCLUDES || index in O) {\n if (O[index] === el) return IS_INCLUDES || index || 0;\n } return !IS_INCLUDES && -1;\n };\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_array-includes.js\n// module id = 36\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_array-includes.js?"); + +/***/ }), +/* 37 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 7.1.15 ToLength\nvar toInteger = __webpack_require__(38);\nvar min = Math.min;\nmodule.exports = function (it) {\n return it > 0 ? min(toInteger(it), 0x1fffffffffffff) : 0; // pow(2, 53) - 1 == 9007199254740991\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_to-length.js\n// module id = 37\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_to-length.js?"); + +/***/ }), +/* 38 */ +/***/ (function(module, exports) { + + eval("// 7.1.4 ToInteger\nvar ceil = Math.ceil;\nvar floor = Math.floor;\nmodule.exports = function (it) {\n return isNaN(it = +it) ? 0 : (it > 0 ? floor : ceil)(it);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_to-integer.js\n// module id = 38\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_to-integer.js?"); + +/***/ }), +/* 39 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var toInteger = __webpack_require__(38);\nvar max = Math.max;\nvar min = Math.min;\nmodule.exports = function (index, length) {\n index = toInteger(index);\n return index < 0 ? max(index + length, 0) : min(index, length);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_to-absolute-index.js\n// module id = 39\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_to-absolute-index.js?"); + +/***/ }), +/* 40 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var shared = __webpack_require__(23)('keys');\nvar uid = __webpack_require__(19);\nmodule.exports = function (key) {\n return shared[key] || (shared[key] = uid(key));\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_shared-key.js\n// module id = 40\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_shared-key.js?"); + +/***/ }), +/* 41 */ +/***/ (function(module, exports) { + + eval("// IE 8- don't enum bug keys\nmodule.exports = (\n 'constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf'\n).split(',');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_enum-bug-keys.js\n// module id = 41\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_enum-bug-keys.js?"); + +/***/ }), +/* 42 */ +/***/ (function(module, exports) { + + eval("exports.f = Object.getOwnPropertySymbols;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-gops.js\n// module id = 42\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-gops.js?"); + +/***/ }), +/* 43 */ +/***/ (function(module, exports) { + + eval("exports.f = {}.propertyIsEnumerable;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-pie.js\n// module id = 43\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-pie.js?"); + +/***/ }), +/* 44 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 7.2.2 IsArray(argument)\nvar cof = __webpack_require__(34);\nmodule.exports = Array.isArray || function isArray(arg) {\n return cof(arg) == 'Array';\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_is-array.js\n// module id = 44\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_is-array.js?"); + +/***/ }), +/* 45 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.2 / 15.2.3.5 Object.create(O [, Properties])\nvar anObject = __webpack_require__(12);\nvar dPs = __webpack_require__(46);\nvar enumBugKeys = __webpack_require__(41);\nvar IE_PROTO = __webpack_require__(40)('IE_PROTO');\nvar Empty = function () { /* empty */ };\nvar PROTOTYPE = 'prototype';\n\n// Create object with fake `null` prototype: use iframe Object with cleared prototype\nvar createDict = function () {\n // Thrash, waste and sodomy: IE GC bug\n var iframe = __webpack_require__(15)('iframe');\n var i = enumBugKeys.length;\n var lt = '<';\n var gt = '>';\n var iframeDocument;\n iframe.style.display = 'none';\n __webpack_require__(47).appendChild(iframe);\n iframe.src = 'javascript:'; // eslint-disable-line no-script-url\n // createDict = iframe.contentWindow.Object;\n // html.removeChild(iframe);\n iframeDocument = iframe.contentWindow.document;\n iframeDocument.open();\n iframeDocument.write(lt + 'script' + gt + 'document.F=Object' + lt + '/script' + gt);\n iframeDocument.close();\n createDict = iframeDocument.F;\n while (i--) delete createDict[PROTOTYPE][enumBugKeys[i]];\n return createDict();\n};\n\nmodule.exports = Object.create || function create(O, Properties) {\n var result;\n if (O !== null) {\n Empty[PROTOTYPE] = anObject(O);\n result = new Empty();\n Empty[PROTOTYPE] = null;\n // add \"__proto__\" for Object.getPrototypeOf polyfill\n result[IE_PROTO] = O;\n } else result = createDict();\n return Properties === undefined ? result : dPs(result, Properties);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-create.js\n// module id = 45\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-create.js?"); + +/***/ }), +/* 46 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var dP = __webpack_require__(11);\nvar anObject = __webpack_require__(12);\nvar getKeys = __webpack_require__(30);\n\nmodule.exports = __webpack_require__(6) ? Object.defineProperties : function defineProperties(O, Properties) {\n anObject(O);\n var keys = getKeys(Properties);\n var length = keys.length;\n var i = 0;\n var P;\n while (length > i) dP.f(O, P = keys[i++], Properties[P]);\n return O;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-dps.js\n// module id = 46\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-dps.js?"); + +/***/ }), +/* 47 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var document = __webpack_require__(4).document;\nmodule.exports = document && document.documentElement;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_html.js\n// module id = 47\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_html.js?"); + +/***/ }), +/* 48 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// fallback for IE11 buggy Object.getOwnPropertyNames with iframe and window\nvar toIObject = __webpack_require__(32);\nvar gOPN = __webpack_require__(49).f;\nvar toString = {}.toString;\n\nvar windowNames = typeof window == 'object' && window && Object.getOwnPropertyNames\n ? Object.getOwnPropertyNames(window) : [];\n\nvar getWindowNames = function (it) {\n try {\n return gOPN(it);\n } catch (e) {\n return windowNames.slice();\n }\n};\n\nmodule.exports.f = function getOwnPropertyNames(it) {\n return windowNames && toString.call(it) == '[object Window]' ? getWindowNames(it) : gOPN(toIObject(it));\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-gopn-ext.js\n// module id = 48\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-gopn-ext.js?"); + +/***/ }), +/* 49 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.7 / 15.2.3.4 Object.getOwnPropertyNames(O)\nvar $keys = __webpack_require__(31);\nvar hiddenKeys = __webpack_require__(41).concat('length', 'prototype');\n\nexports.f = Object.getOwnPropertyNames || function getOwnPropertyNames(O) {\n return $keys(O, hiddenKeys);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-gopn.js\n// module id = 49\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-gopn.js?"); + +/***/ }), +/* 50 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var pIE = __webpack_require__(43);\nvar createDesc = __webpack_require__(17);\nvar toIObject = __webpack_require__(32);\nvar toPrimitive = __webpack_require__(16);\nvar has = __webpack_require__(5);\nvar IE8_DOM_DEFINE = __webpack_require__(14);\nvar gOPD = Object.getOwnPropertyDescriptor;\n\nexports.f = __webpack_require__(6) ? gOPD : function getOwnPropertyDescriptor(O, P) {\n O = toIObject(O);\n P = toPrimitive(P, true);\n if (IE8_DOM_DEFINE) try {\n return gOPD(O, P);\n } catch (e) { /* empty */ }\n if (has(O, P)) return createDesc(!pIE.f.call(O, P), O[P]);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-gopd.js\n// module id = 50\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-gopd.js?"); + +/***/ }), +/* 51 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\n// 19.1.2.2 / 15.2.3.5 Object.create(O [, Properties])\n$export($export.S, 'Object', { create: __webpack_require__(45) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.create.js\n// module id = 51\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.create.js?"); + +/***/ }), +/* 52 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\n// 19.1.2.4 / 15.2.3.6 Object.defineProperty(O, P, Attributes)\n$export($export.S + $export.F * !__webpack_require__(6), 'Object', { defineProperty: __webpack_require__(11).f });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.define-property.js\n// module id = 52\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.define-property.js?"); + +/***/ }), +/* 53 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\n// 19.1.2.3 / 15.2.3.7 Object.defineProperties(O, Properties)\n$export($export.S + $export.F * !__webpack_require__(6), 'Object', { defineProperties: __webpack_require__(46) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.define-properties.js\n// module id = 53\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.define-properties.js?"); + +/***/ }), +/* 54 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.6 Object.getOwnPropertyDescriptor(O, P)\nvar toIObject = __webpack_require__(32);\nvar $getOwnPropertyDescriptor = __webpack_require__(50).f;\n\n__webpack_require__(55)('getOwnPropertyDescriptor', function () {\n return function getOwnPropertyDescriptor(it, key) {\n return $getOwnPropertyDescriptor(toIObject(it), key);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.get-own-property-descriptor.js\n// module id = 54\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.get-own-property-descriptor.js?"); + +/***/ }), +/* 55 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// most Object methods by ES6 should accept primitives\nvar $export = __webpack_require__(8);\nvar core = __webpack_require__(9);\nvar fails = __webpack_require__(7);\nmodule.exports = function (KEY, exec) {\n var fn = (core.Object || {})[KEY] || Object[KEY];\n var exp = {};\n exp[KEY] = exec(fn);\n $export($export.S + $export.F * fails(function () { fn(1); }), 'Object', exp);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-sap.js\n// module id = 55\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-sap.js?"); + +/***/ }), +/* 56 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.9 Object.getPrototypeOf(O)\nvar toObject = __webpack_require__(57);\nvar $getPrototypeOf = __webpack_require__(58);\n\n__webpack_require__(55)('getPrototypeOf', function () {\n return function getPrototypeOf(it) {\n return $getPrototypeOf(toObject(it));\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.get-prototype-of.js\n// module id = 56\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.get-prototype-of.js?"); + +/***/ }), +/* 57 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 7.1.13 ToObject(argument)\nvar defined = __webpack_require__(35);\nmodule.exports = function (it) {\n return Object(defined(it));\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_to-object.js\n// module id = 57\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_to-object.js?"); + +/***/ }), +/* 58 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.9 / 15.2.3.2 Object.getPrototypeOf(O)\nvar has = __webpack_require__(5);\nvar toObject = __webpack_require__(57);\nvar IE_PROTO = __webpack_require__(40)('IE_PROTO');\nvar ObjectProto = Object.prototype;\n\nmodule.exports = Object.getPrototypeOf || function (O) {\n O = toObject(O);\n if (has(O, IE_PROTO)) return O[IE_PROTO];\n if (typeof O.constructor == 'function' && O instanceof O.constructor) {\n return O.constructor.prototype;\n } return O instanceof Object ? ObjectProto : null;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-gpo.js\n// module id = 58\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-gpo.js?"); + +/***/ }), +/* 59 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.14 Object.keys(O)\nvar toObject = __webpack_require__(57);\nvar $keys = __webpack_require__(30);\n\n__webpack_require__(55)('keys', function () {\n return function keys(it) {\n return $keys(toObject(it));\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.keys.js\n// module id = 59\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.keys.js?"); + +/***/ }), +/* 60 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.7 Object.getOwnPropertyNames(O)\n__webpack_require__(55)('getOwnPropertyNames', function () {\n return __webpack_require__(48).f;\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.get-own-property-names.js\n// module id = 60\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.get-own-property-names.js?"); + +/***/ }), +/* 61 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.5 Object.freeze(O)\nvar isObject = __webpack_require__(13);\nvar meta = __webpack_require__(22).onFreeze;\n\n__webpack_require__(55)('freeze', function ($freeze) {\n return function freeze(it) {\n return $freeze && isObject(it) ? $freeze(meta(it)) : it;\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.freeze.js\n// module id = 61\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.freeze.js?"); + +/***/ }), +/* 62 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.17 Object.seal(O)\nvar isObject = __webpack_require__(13);\nvar meta = __webpack_require__(22).onFreeze;\n\n__webpack_require__(55)('seal', function ($seal) {\n return function seal(it) {\n return $seal && isObject(it) ? $seal(meta(it)) : it;\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.seal.js\n// module id = 62\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.seal.js?"); + +/***/ }), +/* 63 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.15 Object.preventExtensions(O)\nvar isObject = __webpack_require__(13);\nvar meta = __webpack_require__(22).onFreeze;\n\n__webpack_require__(55)('preventExtensions', function ($preventExtensions) {\n return function preventExtensions(it) {\n return $preventExtensions && isObject(it) ? $preventExtensions(meta(it)) : it;\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.prevent-extensions.js\n// module id = 63\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.prevent-extensions.js?"); + +/***/ }), +/* 64 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.12 Object.isFrozen(O)\nvar isObject = __webpack_require__(13);\n\n__webpack_require__(55)('isFrozen', function ($isFrozen) {\n return function isFrozen(it) {\n return isObject(it) ? $isFrozen ? $isFrozen(it) : false : true;\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.is-frozen.js\n// module id = 64\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.is-frozen.js?"); + +/***/ }), +/* 65 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.13 Object.isSealed(O)\nvar isObject = __webpack_require__(13);\n\n__webpack_require__(55)('isSealed', function ($isSealed) {\n return function isSealed(it) {\n return isObject(it) ? $isSealed ? $isSealed(it) : false : true;\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.is-sealed.js\n// module id = 65\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.is-sealed.js?"); + +/***/ }), +/* 66 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.2.11 Object.isExtensible(O)\nvar isObject = __webpack_require__(13);\n\n__webpack_require__(55)('isExtensible', function ($isExtensible) {\n return function isExtensible(it) {\n return isObject(it) ? $isExtensible ? $isExtensible(it) : true : false;\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.is-extensible.js\n// module id = 66\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.is-extensible.js?"); + +/***/ }), +/* 67 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.3.1 Object.assign(target, source)\nvar $export = __webpack_require__(8);\n\n$export($export.S + $export.F, 'Object', { assign: __webpack_require__(68) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.assign.js\n// module id = 67\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.assign.js?"); + +/***/ }), +/* 68 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// 19.1.2.1 Object.assign(target, source, ...)\nvar getKeys = __webpack_require__(30);\nvar gOPS = __webpack_require__(42);\nvar pIE = __webpack_require__(43);\nvar toObject = __webpack_require__(57);\nvar IObject = __webpack_require__(33);\nvar $assign = Object.assign;\n\n// should work with symbols and should have deterministic property order (V8 bug)\nmodule.exports = !$assign || __webpack_require__(7)(function () {\n var A = {};\n var B = {};\n // eslint-disable-next-line no-undef\n var S = Symbol();\n var K = 'abcdefghijklmnopqrst';\n A[S] = 7;\n K.split('').forEach(function (k) { B[k] = k; });\n return $assign({}, A)[S] != 7 || Object.keys($assign({}, B)).join('') != K;\n}) ? function assign(target, source) { // eslint-disable-line no-unused-vars\n var T = toObject(target);\n var aLen = arguments.length;\n var index = 1;\n var getSymbols = gOPS.f;\n var isEnum = pIE.f;\n while (aLen > index) {\n var S = IObject(arguments[index++]);\n var keys = getSymbols ? getKeys(S).concat(getSymbols(S)) : getKeys(S);\n var length = keys.length;\n var j = 0;\n var key;\n while (length > j) if (isEnum.call(S, key = keys[j++])) T[key] = S[key];\n } return T;\n} : $assign;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-assign.js\n// module id = 68\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-assign.js?"); + +/***/ }), +/* 69 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.3.10 Object.is(value1, value2)\nvar $export = __webpack_require__(8);\n$export($export.S, 'Object', { is: __webpack_require__(70) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.is.js\n// module id = 69\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.is.js?"); + +/***/ }), +/* 70 */ +/***/ (function(module, exports) { + + eval("// 7.2.9 SameValue(x, y)\nmodule.exports = Object.is || function is(x, y) {\n // eslint-disable-next-line no-self-compare\n return x === y ? x !== 0 || 1 / x === 1 / y : x != x && y != y;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_same-value.js\n// module id = 70\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_same-value.js?"); + +/***/ }), +/* 71 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.1.3.19 Object.setPrototypeOf(O, proto)\nvar $export = __webpack_require__(8);\n$export($export.S, 'Object', { setPrototypeOf: __webpack_require__(72).set });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.set-prototype-of.js\n// module id = 71\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.set-prototype-of.js?"); + +/***/ }), +/* 72 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// Works with __proto__ only. Old v8 can't work with null proto objects.\n/* eslint-disable no-proto */\nvar isObject = __webpack_require__(13);\nvar anObject = __webpack_require__(12);\nvar check = function (O, proto) {\n anObject(O);\n if (!isObject(proto) && proto !== null) throw TypeError(proto + \": can't set as prototype!\");\n};\nmodule.exports = {\n set: Object.setPrototypeOf || ('__proto__' in {} ? // eslint-disable-line\n function (test, buggy, set) {\n try {\n set = __webpack_require__(20)(Function.call, __webpack_require__(50).f(Object.prototype, '__proto__').set, 2);\n set(test, []);\n buggy = !(test instanceof Array);\n } catch (e) { buggy = true; }\n return function setPrototypeOf(O, proto) {\n check(O, proto);\n if (buggy) O.__proto__ = proto;\n else set(O, proto);\n return O;\n };\n }({}, false) : undefined),\n check: check\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_set-proto.js\n// module id = 72\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_set-proto.js?"); + +/***/ }), +/* 73 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// 19.1.3.6 Object.prototype.toString()\nvar classof = __webpack_require__(74);\nvar test = {};\ntest[__webpack_require__(26)('toStringTag')] = 'z';\nif (test + '' != '[object z]') {\n __webpack_require__(18)(Object.prototype, 'toString', function toString() {\n return '[object ' + classof(this) + ']';\n }, true);\n}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.object.to-string.js\n// module id = 73\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.object.to-string.js?"); + +/***/ }), +/* 74 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// getting tag from 19.1.3.6 Object.prototype.toString()\nvar cof = __webpack_require__(34);\nvar TAG = __webpack_require__(26)('toStringTag');\n// ES3 wrong here\nvar ARG = cof(function () { return arguments; }()) == 'Arguments';\n\n// fallback for IE11 Script Access Denied error\nvar tryGet = function (it, key) {\n try {\n return it[key];\n } catch (e) { /* empty */ }\n};\n\nmodule.exports = function (it) {\n var O, T, B;\n return it === undefined ? 'Undefined' : it === null ? 'Null'\n // @@toStringTag case\n : typeof (T = tryGet(O = Object(it), TAG)) == 'string' ? T\n // builtinTag case\n : ARG ? cof(O)\n // ES3 arguments fallback\n : (B = cof(O)) == 'Object' && typeof O.callee == 'function' ? 'Arguments' : B;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_classof.js\n// module id = 74\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_classof.js?"); + +/***/ }), +/* 75 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 19.2.3.2 / 15.3.4.5 Function.prototype.bind(thisArg, args...)\nvar $export = __webpack_require__(8);\n\n$export($export.P, 'Function', { bind: __webpack_require__(76) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.function.bind.js\n// module id = 75\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.function.bind.js?"); + +/***/ }), +/* 76 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar aFunction = __webpack_require__(21);\nvar isObject = __webpack_require__(13);\nvar invoke = __webpack_require__(77);\nvar arraySlice = [].slice;\nvar factories = {};\n\nvar construct = function (F, len, args) {\n if (!(len in factories)) {\n for (var n = [], i = 0; i < len; i++) n[i] = 'a[' + i + ']';\n // eslint-disable-next-line no-new-func\n factories[len] = Function('F,a', 'return new F(' + n.join(',') + ')');\n } return factories[len](F, args);\n};\n\nmodule.exports = Function.bind || function bind(that /* , ...args */) {\n var fn = aFunction(this);\n var partArgs = arraySlice.call(arguments, 1);\n var bound = function (/* args... */) {\n var args = partArgs.concat(arraySlice.call(arguments));\n return this instanceof bound ? construct(fn, args.length, args) : invoke(fn, args, that);\n };\n if (isObject(fn.prototype)) bound.prototype = fn.prototype;\n return bound;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_bind.js\n// module id = 76\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_bind.js?"); + +/***/ }), +/* 77 */ +/***/ (function(module, exports) { + + eval("// fast apply, http://jsperf.lnkit.com/fast-apply/5\nmodule.exports = function (fn, args, that) {\n var un = that === undefined;\n switch (args.length) {\n case 0: return un ? fn()\n : fn.call(that);\n case 1: return un ? fn(args[0])\n : fn.call(that, args[0]);\n case 2: return un ? fn(args[0], args[1])\n : fn.call(that, args[0], args[1]);\n case 3: return un ? fn(args[0], args[1], args[2])\n : fn.call(that, args[0], args[1], args[2]);\n case 4: return un ? fn(args[0], args[1], args[2], args[3])\n : fn.call(that, args[0], args[1], args[2], args[3]);\n } return fn.apply(that, args);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_invoke.js\n// module id = 77\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_invoke.js?"); + +/***/ }), +/* 78 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var dP = __webpack_require__(11).f;\nvar FProto = Function.prototype;\nvar nameRE = /^\\s*function ([^ (]*)/;\nvar NAME = 'name';\n\n// 19.2.4.2 name\nNAME in FProto || __webpack_require__(6) && dP(FProto, NAME, {\n configurable: true,\n get: function () {\n try {\n return ('' + this).match(nameRE)[1];\n } catch (e) {\n return '';\n }\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.function.name.js\n// module id = 78\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.function.name.js?"); + +/***/ }), +/* 79 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar isObject = __webpack_require__(13);\nvar getPrototypeOf = __webpack_require__(58);\nvar HAS_INSTANCE = __webpack_require__(26)('hasInstance');\nvar FunctionProto = Function.prototype;\n// 19.2.3.6 Function.prototype[@@hasInstance](V)\nif (!(HAS_INSTANCE in FunctionProto)) __webpack_require__(11).f(FunctionProto, HAS_INSTANCE, { value: function (O) {\n if (typeof this != 'function' || !isObject(O)) return false;\n if (!isObject(this.prototype)) return O instanceof this;\n // for environment w/o native `@@hasInstance` logic enough `instanceof`, but add this:\n while (O = getPrototypeOf(O)) if (this.prototype === O) return true;\n return false;\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.function.has-instance.js\n// module id = 79\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.function.has-instance.js?"); + +/***/ }), +/* 80 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\nvar $parseInt = __webpack_require__(81);\n// 18.2.5 parseInt(string, radix)\n$export($export.G + $export.F * (parseInt != $parseInt), { parseInt: $parseInt });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.parse-int.js\n// module id = 80\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.parse-int.js?"); + +/***/ }), +/* 81 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $parseInt = __webpack_require__(4).parseInt;\nvar $trim = __webpack_require__(82).trim;\nvar ws = __webpack_require__(83);\nvar hex = /^[-+]?0[xX]/;\n\nmodule.exports = $parseInt(ws + '08') !== 8 || $parseInt(ws + '0x16') !== 22 ? function parseInt(str, radix) {\n var string = $trim(String(str), 3);\n return $parseInt(string, (radix >>> 0) || (hex.test(string) ? 16 : 10));\n} : $parseInt;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_parse-int.js\n// module id = 81\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_parse-int.js?"); + +/***/ }), +/* 82 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\nvar defined = __webpack_require__(35);\nvar fails = __webpack_require__(7);\nvar spaces = __webpack_require__(83);\nvar space = '[' + spaces + ']';\nvar non = '\\u200b\\u0085';\nvar ltrim = RegExp('^' + space + space + '*');\nvar rtrim = RegExp(space + space + '*$');\n\nvar exporter = function (KEY, exec, ALIAS) {\n var exp = {};\n var FORCE = fails(function () {\n return !!spaces[KEY]() || non[KEY]() != non;\n });\n var fn = exp[KEY] = FORCE ? exec(trim) : spaces[KEY];\n if (ALIAS) exp[ALIAS] = fn;\n $export($export.P + $export.F * FORCE, 'String', exp);\n};\n\n// 1 -> String#trimLeft\n// 2 -> String#trimRight\n// 3 -> String#trim\nvar trim = exporter.trim = function (string, TYPE) {\n string = String(defined(string));\n if (TYPE & 1) string = string.replace(ltrim, '');\n if (TYPE & 2) string = string.replace(rtrim, '');\n return string;\n};\n\nmodule.exports = exporter;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_string-trim.js\n// module id = 82\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_string-trim.js?"); + +/***/ }), +/* 83 */ +/***/ (function(module, exports) { + + eval("module.exports = '\\x09\\x0A\\x0B\\x0C\\x0D\\x20\\xA0\\u1680\\u180E\\u2000\\u2001\\u2002\\u2003' +\n '\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200A\\u202F\\u205F\\u3000\\u2028\\u2029\\uFEFF';\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_string-ws.js\n// module id = 83\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_string-ws.js?"); + +/***/ }), +/* 84 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\nvar $parseFloat = __webpack_require__(85);\n// 18.2.4 parseFloat(string)\n$export($export.G + $export.F * (parseFloat != $parseFloat), { parseFloat: $parseFloat });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.parse-float.js\n// module id = 84\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.parse-float.js?"); + +/***/ }), +/* 85 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $parseFloat = __webpack_require__(4).parseFloat;\nvar $trim = __webpack_require__(82).trim;\n\nmodule.exports = 1 / $parseFloat(__webpack_require__(83) + '-0') !== -Infinity ? function parseFloat(str) {\n var string = $trim(String(str), 3);\n var result = $parseFloat(string);\n return result === 0 && string.charAt(0) == '-' ? -0 : result;\n} : $parseFloat;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_parse-float.js\n// module id = 85\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_parse-float.js?"); + +/***/ }), +/* 86 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar global = __webpack_require__(4);\nvar has = __webpack_require__(5);\nvar cof = __webpack_require__(34);\nvar inheritIfRequired = __webpack_require__(87);\nvar toPrimitive = __webpack_require__(16);\nvar fails = __webpack_require__(7);\nvar gOPN = __webpack_require__(49).f;\nvar gOPD = __webpack_require__(50).f;\nvar dP = __webpack_require__(11).f;\nvar $trim = __webpack_require__(82).trim;\nvar NUMBER = 'Number';\nvar $Number = global[NUMBER];\nvar Base = $Number;\nvar proto = $Number.prototype;\n// Opera ~12 has broken Object#toString\nvar BROKEN_COF = cof(__webpack_require__(45)(proto)) == NUMBER;\nvar TRIM = 'trim' in String.prototype;\n\n// 7.1.3 ToNumber(argument)\nvar toNumber = function (argument) {\n var it = toPrimitive(argument, false);\n if (typeof it == 'string' && it.length > 2) {\n it = TRIM ? it.trim() : $trim(it, 3);\n var first = it.charCodeAt(0);\n var third, radix, maxCode;\n if (first === 43 || first === 45) {\n third = it.charCodeAt(2);\n if (third === 88 || third === 120) return NaN; // Number('+0x1') should be NaN, old V8 fix\n } else if (first === 48) {\n switch (it.charCodeAt(1)) {\n case 66: case 98: radix = 2; maxCode = 49; break; // fast equal /^0b[01]+$/i\n case 79: case 111: radix = 8; maxCode = 55; break; // fast equal /^0o[0-7]+$/i\n default: return +it;\n }\n for (var digits = it.slice(2), i = 0, l = digits.length, code; i < l; i++) {\n code = digits.charCodeAt(i);\n // parseInt parses a string to a first unavailable symbol\n // but ToNumber should return NaN if a string contains unavailable symbols\n if (code < 48 || code > maxCode) return NaN;\n } return parseInt(digits, radix);\n }\n } return +it;\n};\n\nif (!$Number(' 0o1') || !$Number('0b1') || $Number('+0x1')) {\n $Number = function Number(value) {\n var it = arguments.length < 1 ? 0 : value;\n var that = this;\n return that instanceof $Number\n // check on 1..constructor(foo) case\n && (BROKEN_COF ? fails(function () { proto.valueOf.call(that); }) : cof(that) != NUMBER)\n ? inheritIfRequired(new Base(toNumber(it)), that, $Number) : toNumber(it);\n };\n for (var keys = __webpack_require__(6) ? gOPN(Base) : (\n // ES3:\n 'MAX_VALUE,MIN_VALUE,NaN,NEGATIVE_INFINITY,POSITIVE_INFINITY,' +\n // ES6 (in case, if modules with ES6 Number statics required before):\n 'EPSILON,isFinite,isInteger,isNaN,isSafeInteger,MAX_SAFE_INTEGER,' +\n 'MIN_SAFE_INTEGER,parseFloat,parseInt,isInteger'\n ).split(','), j = 0, key; keys.length > j; j++) {\n if (has(Base, key = keys[j]) && !has($Number, key)) {\n dP($Number, key, gOPD(Base, key));\n }\n }\n $Number.prototype = proto;\n proto.constructor = $Number;\n __webpack_require__(18)(global, NUMBER, $Number);\n}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.constructor.js\n// module id = 86\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.constructor.js?"); + +/***/ }), +/* 87 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var isObject = __webpack_require__(13);\nvar setPrototypeOf = __webpack_require__(72).set;\nmodule.exports = function (that, target, C) {\n var S = target.constructor;\n var P;\n if (S !== C && typeof S == 'function' && (P = S.prototype) !== C.prototype && isObject(P) && setPrototypeOf) {\n setPrototypeOf(that, P);\n } return that;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_inherit-if-required.js\n// module id = 87\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_inherit-if-required.js?"); + +/***/ }), +/* 88 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar toInteger = __webpack_require__(38);\nvar aNumberValue = __webpack_require__(89);\nvar repeat = __webpack_require__(90);\nvar $toFixed = 1.0.toFixed;\nvar floor = Math.floor;\nvar data = [0, 0, 0, 0, 0, 0];\nvar ERROR = 'Number.toFixed: incorrect invocation!';\nvar ZERO = '0';\n\nvar multiply = function (n, c) {\n var i = -1;\n var c2 = c;\n while (++i < 6) {\n c2 += n * data[i];\n data[i] = c2 % 1e7;\n c2 = floor(c2 / 1e7);\n }\n};\nvar divide = function (n) {\n var i = 6;\n var c = 0;\n while (--i >= 0) {\n c += data[i];\n data[i] = floor(c / n);\n c = (c % n) * 1e7;\n }\n};\nvar numToString = function () {\n var i = 6;\n var s = '';\n while (--i >= 0) {\n if (s !== '' || i === 0 || data[i] !== 0) {\n var t = String(data[i]);\n s = s === '' ? t : s + repeat.call(ZERO, 7 - t.length) + t;\n }\n } return s;\n};\nvar pow = function (x, n, acc) {\n return n === 0 ? acc : n % 2 === 1 ? pow(x, n - 1, acc * x) : pow(x * x, n / 2, acc);\n};\nvar log = function (x) {\n var n = 0;\n var x2 = x;\n while (x2 >= 4096) {\n n += 12;\n x2 /= 4096;\n }\n while (x2 >= 2) {\n n += 1;\n x2 /= 2;\n } return n;\n};\n\n$export($export.P + $export.F * (!!$toFixed && (\n 0.00008.toFixed(3) !== '0.000' ||\n 0.9.toFixed(0) !== '1' ||\n 1.255.toFixed(2) !== '1.25' ||\n 1000000000000000128.0.toFixed(0) !== '1000000000000000128'\n) || !__webpack_require__(7)(function () {\n // V8 ~ Android 4.3-\n $toFixed.call({});\n})), 'Number', {\n toFixed: function toFixed(fractionDigits) {\n var x = aNumberValue(this, ERROR);\n var f = toInteger(fractionDigits);\n var s = '';\n var m = ZERO;\n var e, z, j, k;\n if (f < 0 || f > 20) throw RangeError(ERROR);\n // eslint-disable-next-line no-self-compare\n if (x != x) return 'NaN';\n if (x <= -1e21 || x >= 1e21) return String(x);\n if (x < 0) {\n s = '-';\n x = -x;\n }\n if (x > 1e-21) {\n e = log(x * pow(2, 69, 1)) - 69;\n z = e < 0 ? x * pow(2, -e, 1) : x / pow(2, e, 1);\n z *= 0x10000000000000;\n e = 52 - e;\n if (e > 0) {\n multiply(0, z);\n j = f;\n while (j >= 7) {\n multiply(1e7, 0);\n j -= 7;\n }\n multiply(pow(10, j, 1), 0);\n j = e - 1;\n while (j >= 23) {\n divide(1 << 23);\n j -= 23;\n }\n divide(1 << j);\n multiply(1, 1);\n divide(2);\n m = numToString();\n } else {\n multiply(0, z);\n multiply(1 << -e, 0);\n m = numToString() + repeat.call(ZERO, f);\n }\n }\n if (f > 0) {\n k = m.length;\n m = s + (k <= f ? '0.' + repeat.call(ZERO, f - k) + m : m.slice(0, k - f) + '.' + m.slice(k - f));\n } else {\n m = s + m;\n } return m;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.to-fixed.js\n// module id = 88\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.to-fixed.js?"); + +/***/ }), +/* 89 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var cof = __webpack_require__(34);\nmodule.exports = function (it, msg) {\n if (typeof it != 'number' && cof(it) != 'Number') throw TypeError(msg);\n return +it;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_a-number-value.js\n// module id = 89\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_a-number-value.js?"); + +/***/ }), +/* 90 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar toInteger = __webpack_require__(38);\nvar defined = __webpack_require__(35);\n\nmodule.exports = function repeat(count) {\n var str = String(defined(this));\n var res = '';\n var n = toInteger(count);\n if (n < 0 || n == Infinity) throw RangeError(\"Count can't be negative\");\n for (;n > 0; (n >>>= 1) && (str += str)) if (n & 1) res += str;\n return res;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_string-repeat.js\n// module id = 90\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_string-repeat.js?"); + +/***/ }), +/* 91 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $fails = __webpack_require__(7);\nvar aNumberValue = __webpack_require__(89);\nvar $toPrecision = 1.0.toPrecision;\n\n$export($export.P + $export.F * ($fails(function () {\n // IE7-\n return $toPrecision.call(1, undefined) !== '1';\n}) || !$fails(function () {\n // V8 ~ Android 4.3-\n $toPrecision.call({});\n})), 'Number', {\n toPrecision: function toPrecision(precision) {\n var that = aNumberValue(this, 'Number#toPrecision: incorrect invocation!');\n return precision === undefined ? $toPrecision.call(that) : $toPrecision.call(that, precision);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.to-precision.js\n// module id = 91\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.to-precision.js?"); + +/***/ }), +/* 92 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.1.2.1 Number.EPSILON\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Number', { EPSILON: Math.pow(2, -52) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.epsilon.js\n// module id = 92\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.epsilon.js?"); + +/***/ }), +/* 93 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.1.2.2 Number.isFinite(number)\nvar $export = __webpack_require__(8);\nvar _isFinite = __webpack_require__(4).isFinite;\n\n$export($export.S, 'Number', {\n isFinite: function isFinite(it) {\n return typeof it == 'number' && _isFinite(it);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.is-finite.js\n// module id = 93\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.is-finite.js?"); + +/***/ }), +/* 94 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.1.2.3 Number.isInteger(number)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Number', { isInteger: __webpack_require__(95) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.is-integer.js\n// module id = 94\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.is-integer.js?"); + +/***/ }), +/* 95 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.1.2.3 Number.isInteger(number)\nvar isObject = __webpack_require__(13);\nvar floor = Math.floor;\nmodule.exports = function isInteger(it) {\n return !isObject(it) && isFinite(it) && floor(it) === it;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_is-integer.js\n// module id = 95\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_is-integer.js?"); + +/***/ }), +/* 96 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.1.2.4 Number.isNaN(number)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Number', {\n isNaN: function isNaN(number) {\n // eslint-disable-next-line no-self-compare\n return number != number;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.is-nan.js\n// module id = 96\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.is-nan.js?"); + +/***/ }), +/* 97 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.1.2.5 Number.isSafeInteger(number)\nvar $export = __webpack_require__(8);\nvar isInteger = __webpack_require__(95);\nvar abs = Math.abs;\n\n$export($export.S, 'Number', {\n isSafeInteger: function isSafeInteger(number) {\n return isInteger(number) && abs(number) <= 0x1fffffffffffff;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.is-safe-integer.js\n// module id = 97\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.is-safe-integer.js?"); + +/***/ }), +/* 98 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.1.2.6 Number.MAX_SAFE_INTEGER\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Number', { MAX_SAFE_INTEGER: 0x1fffffffffffff });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.max-safe-integer.js\n// module id = 98\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.max-safe-integer.js?"); + +/***/ }), +/* 99 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.1.2.10 Number.MIN_SAFE_INTEGER\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Number', { MIN_SAFE_INTEGER: -0x1fffffffffffff });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.min-safe-integer.js\n// module id = 99\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.min-safe-integer.js?"); + +/***/ }), +/* 100 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\nvar $parseFloat = __webpack_require__(85);\n// 20.1.2.12 Number.parseFloat(string)\n$export($export.S + $export.F * (Number.parseFloat != $parseFloat), 'Number', { parseFloat: $parseFloat });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.parse-float.js\n// module id = 100\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.parse-float.js?"); + +/***/ }), +/* 101 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\nvar $parseInt = __webpack_require__(81);\n// 20.1.2.13 Number.parseInt(string, radix)\n$export($export.S + $export.F * (Number.parseInt != $parseInt), 'Number', { parseInt: $parseInt });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.number.parse-int.js\n// module id = 101\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.number.parse-int.js?"); + +/***/ }), +/* 102 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.3 Math.acosh(x)\nvar $export = __webpack_require__(8);\nvar log1p = __webpack_require__(103);\nvar sqrt = Math.sqrt;\nvar $acosh = Math.acosh;\n\n$export($export.S + $export.F * !($acosh\n // V8 bug: https://code.google.com/p/v8/issues/detail?id=3509\n && Math.floor($acosh(Number.MAX_VALUE)) == 710\n // Tor Browser bug: Math.acosh(Infinity) -> NaN\n && $acosh(Infinity) == Infinity\n), 'Math', {\n acosh: function acosh(x) {\n return (x = +x) < 1 ? NaN : x > 94906265.62425156\n ? Math.log(x) + Math.LN2\n : log1p(x - 1 + sqrt(x - 1) * sqrt(x + 1));\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.acosh.js\n// module id = 102\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.acosh.js?"); + +/***/ }), +/* 103 */ +/***/ (function(module, exports) { + + eval("// 20.2.2.20 Math.log1p(x)\nmodule.exports = Math.log1p || function log1p(x) {\n return (x = +x) > -1e-8 && x < 1e-8 ? x - x * x / 2 : Math.log(1 + x);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_math-log1p.js\n// module id = 103\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_math-log1p.js?"); + +/***/ }), +/* 104 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.5 Math.asinh(x)\nvar $export = __webpack_require__(8);\nvar $asinh = Math.asinh;\n\nfunction asinh(x) {\n return !isFinite(x = +x) || x == 0 ? x : x < 0 ? -asinh(-x) : Math.log(x + Math.sqrt(x * x + 1));\n}\n\n// Tor Browser bug: Math.asinh(0) -> -0\n$export($export.S + $export.F * !($asinh && 1 / $asinh(0) > 0), 'Math', { asinh: asinh });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.asinh.js\n// module id = 104\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.asinh.js?"); + +/***/ }), +/* 105 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.7 Math.atanh(x)\nvar $export = __webpack_require__(8);\nvar $atanh = Math.atanh;\n\n// Tor Browser bug: Math.atanh(-0) -> 0\n$export($export.S + $export.F * !($atanh && 1 / $atanh(-0) < 0), 'Math', {\n atanh: function atanh(x) {\n return (x = +x) == 0 ? x : Math.log((1 + x) / (1 - x)) / 2;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.atanh.js\n// module id = 105\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.atanh.js?"); + +/***/ }), +/* 106 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.9 Math.cbrt(x)\nvar $export = __webpack_require__(8);\nvar sign = __webpack_require__(107);\n\n$export($export.S, 'Math', {\n cbrt: function cbrt(x) {\n return sign(x = +x) * Math.pow(Math.abs(x), 1 / 3);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.cbrt.js\n// module id = 106\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.cbrt.js?"); + +/***/ }), +/* 107 */ +/***/ (function(module, exports) { + + eval("// 20.2.2.28 Math.sign(x)\nmodule.exports = Math.sign || function sign(x) {\n // eslint-disable-next-line no-self-compare\n return (x = +x) == 0 || x != x ? x : x < 0 ? -1 : 1;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_math-sign.js\n// module id = 107\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_math-sign.js?"); + +/***/ }), +/* 108 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.11 Math.clz32(x)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', {\n clz32: function clz32(x) {\n return (x >>>= 0) ? 31 - Math.floor(Math.log(x + 0.5) * Math.LOG2E) : 32;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.clz32.js\n// module id = 108\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.clz32.js?"); + +/***/ }), +/* 109 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.12 Math.cosh(x)\nvar $export = __webpack_require__(8);\nvar exp = Math.exp;\n\n$export($export.S, 'Math', {\n cosh: function cosh(x) {\n return (exp(x = +x) + exp(-x)) / 2;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.cosh.js\n// module id = 109\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.cosh.js?"); + +/***/ }), +/* 110 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.14 Math.expm1(x)\nvar $export = __webpack_require__(8);\nvar $expm1 = __webpack_require__(111);\n\n$export($export.S + $export.F * ($expm1 != Math.expm1), 'Math', { expm1: $expm1 });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.expm1.js\n// module id = 110\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.expm1.js?"); + +/***/ }), +/* 111 */ +/***/ (function(module, exports) { + + eval("// 20.2.2.14 Math.expm1(x)\nvar $expm1 = Math.expm1;\nmodule.exports = (!$expm1\n // Old FF bug\n || $expm1(10) > 22025.465794806719 || $expm1(10) < 22025.4657948067165168\n // Tor Browser bug\n || $expm1(-2e-17) != -2e-17\n) ? function expm1(x) {\n return (x = +x) == 0 ? x : x > -1e-6 && x < 1e-6 ? x + x * x / 2 : Math.exp(x) - 1;\n} : $expm1;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_math-expm1.js\n// module id = 111\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_math-expm1.js?"); + +/***/ }), +/* 112 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.16 Math.fround(x)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', { fround: __webpack_require__(113) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.fround.js\n// module id = 112\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.fround.js?"); + +/***/ }), +/* 113 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.16 Math.fround(x)\nvar sign = __webpack_require__(107);\nvar pow = Math.pow;\nvar EPSILON = pow(2, -52);\nvar EPSILON32 = pow(2, -23);\nvar MAX32 = pow(2, 127) * (2 - EPSILON32);\nvar MIN32 = pow(2, -126);\n\nvar roundTiesToEven = function (n) {\n return n + 1 / EPSILON - 1 / EPSILON;\n};\n\nmodule.exports = Math.fround || function fround(x) {\n var $abs = Math.abs(x);\n var $sign = sign(x);\n var a, result;\n if ($abs < MIN32) return $sign * roundTiesToEven($abs / MIN32 / EPSILON32) * MIN32 * EPSILON32;\n a = (1 + EPSILON32 / EPSILON) * $abs;\n result = a - (a - $abs);\n // eslint-disable-next-line no-self-compare\n if (result > MAX32 || result != result) return $sign * Infinity;\n return $sign * result;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_math-fround.js\n// module id = 113\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_math-fround.js?"); + +/***/ }), +/* 114 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.17 Math.hypot([value1[, value2[, … ]]])\nvar $export = __webpack_require__(8);\nvar abs = Math.abs;\n\n$export($export.S, 'Math', {\n hypot: function hypot(value1, value2) { // eslint-disable-line no-unused-vars\n var sum = 0;\n var i = 0;\n var aLen = arguments.length;\n var larg = 0;\n var arg, div;\n while (i < aLen) {\n arg = abs(arguments[i++]);\n if (larg < arg) {\n div = larg / arg;\n sum = sum * div * div + 1;\n larg = arg;\n } else if (arg > 0) {\n div = arg / larg;\n sum += div * div;\n } else sum += arg;\n }\n return larg === Infinity ? Infinity : larg * Math.sqrt(sum);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.hypot.js\n// module id = 114\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.hypot.js?"); + +/***/ }), +/* 115 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.18 Math.imul(x, y)\nvar $export = __webpack_require__(8);\nvar $imul = Math.imul;\n\n// some WebKit versions fails with big numbers, some has wrong arity\n$export($export.S + $export.F * __webpack_require__(7)(function () {\n return $imul(0xffffffff, 5) != -5 || $imul.length != 2;\n}), 'Math', {\n imul: function imul(x, y) {\n var UINT16 = 0xffff;\n var xn = +x;\n var yn = +y;\n var xl = UINT16 & xn;\n var yl = UINT16 & yn;\n return 0 | xl * yl + ((UINT16 & xn >>> 16) * yl + xl * (UINT16 & yn >>> 16) << 16 >>> 0);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.imul.js\n// module id = 115\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.imul.js?"); + +/***/ }), +/* 116 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.21 Math.log10(x)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', {\n log10: function log10(x) {\n return Math.log(x) * Math.LOG10E;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.log10.js\n// module id = 116\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.log10.js?"); + +/***/ }), +/* 117 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.20 Math.log1p(x)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', { log1p: __webpack_require__(103) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.log1p.js\n// module id = 117\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.log1p.js?"); + +/***/ }), +/* 118 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.22 Math.log2(x)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', {\n log2: function log2(x) {\n return Math.log(x) / Math.LN2;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.log2.js\n// module id = 118\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.log2.js?"); + +/***/ }), +/* 119 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.28 Math.sign(x)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', { sign: __webpack_require__(107) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.sign.js\n// module id = 119\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.sign.js?"); + +/***/ }), +/* 120 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.30 Math.sinh(x)\nvar $export = __webpack_require__(8);\nvar expm1 = __webpack_require__(111);\nvar exp = Math.exp;\n\n// V8 near Chromium 38 has a problem with very small numbers\n$export($export.S + $export.F * __webpack_require__(7)(function () {\n return !Math.sinh(-2e-17) != -2e-17;\n}), 'Math', {\n sinh: function sinh(x) {\n return Math.abs(x = +x) < 1\n ? (expm1(x) - expm1(-x)) / 2\n : (exp(x - 1) - exp(-x - 1)) * (Math.E / 2);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.sinh.js\n// module id = 120\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.sinh.js?"); + +/***/ }), +/* 121 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.33 Math.tanh(x)\nvar $export = __webpack_require__(8);\nvar expm1 = __webpack_require__(111);\nvar exp = Math.exp;\n\n$export($export.S, 'Math', {\n tanh: function tanh(x) {\n var a = expm1(x = +x);\n var b = expm1(-x);\n return a == Infinity ? 1 : b == Infinity ? -1 : (a - b) / (exp(x) + exp(-x));\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.tanh.js\n// module id = 121\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.tanh.js?"); + +/***/ }), +/* 122 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.2.2.34 Math.trunc(x)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', {\n trunc: function trunc(it) {\n return (it > 0 ? Math.floor : Math.ceil)(it);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.math.trunc.js\n// module id = 122\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.math.trunc.js?"); + +/***/ }), +/* 123 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\nvar toAbsoluteIndex = __webpack_require__(39);\nvar fromCharCode = String.fromCharCode;\nvar $fromCodePoint = String.fromCodePoint;\n\n// length should be 1, old FF problem\n$export($export.S + $export.F * (!!$fromCodePoint && $fromCodePoint.length != 1), 'String', {\n // 21.1.2.2 String.fromCodePoint(...codePoints)\n fromCodePoint: function fromCodePoint(x) { // eslint-disable-line no-unused-vars\n var res = [];\n var aLen = arguments.length;\n var i = 0;\n var code;\n while (aLen > i) {\n code = +arguments[i++];\n if (toAbsoluteIndex(code, 0x10ffff) !== code) throw RangeError(code + ' is not a valid code point');\n res.push(code < 0x10000\n ? fromCharCode(code)\n : fromCharCode(((code -= 0x10000) >> 10) + 0xd800, code % 0x400 + 0xdc00)\n );\n } return res.join('');\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.from-code-point.js\n// module id = 123\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.from-code-point.js?"); + +/***/ }), +/* 124 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\nvar toIObject = __webpack_require__(32);\nvar toLength = __webpack_require__(37);\n\n$export($export.S, 'String', {\n // 21.1.2.4 String.raw(callSite, ...substitutions)\n raw: function raw(callSite) {\n var tpl = toIObject(callSite.raw);\n var len = toLength(tpl.length);\n var aLen = arguments.length;\n var res = [];\n var i = 0;\n while (len > i) {\n res.push(String(tpl[i++]));\n if (i < aLen) res.push(String(arguments[i]));\n } return res.join('');\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.raw.js\n// module id = 124\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.raw.js?"); + +/***/ }), +/* 125 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// 21.1.3.25 String.prototype.trim()\n__webpack_require__(82)('trim', function ($trim) {\n return function trim() {\n return $trim(this, 3);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.trim.js\n// module id = 125\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.trim.js?"); + +/***/ }), +/* 126 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $at = __webpack_require__(127)(true);\n\n// 21.1.3.27 String.prototype[@@iterator]()\n__webpack_require__(128)(String, 'String', function (iterated) {\n this._t = String(iterated); // target\n this._i = 0; // next index\n// 21.1.5.2.1 %StringIteratorPrototype%.next()\n}, function () {\n var O = this._t;\n var index = this._i;\n var point;\n if (index >= O.length) return { value: undefined, done: true };\n point = $at(O, index);\n this._i += point.length;\n return { value: point, done: false };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.iterator.js\n// module id = 126\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.iterator.js?"); + +/***/ }), +/* 127 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var toInteger = __webpack_require__(38);\nvar defined = __webpack_require__(35);\n// true -> String#at\n// false -> String#codePointAt\nmodule.exports = function (TO_STRING) {\n return function (that, pos) {\n var s = String(defined(that));\n var i = toInteger(pos);\n var l = s.length;\n var a, b;\n if (i < 0 || i >= l) return TO_STRING ? '' : undefined;\n a = s.charCodeAt(i);\n return a < 0xd800 || a > 0xdbff || i + 1 === l || (b = s.charCodeAt(i + 1)) < 0xdc00 || b > 0xdfff\n ? TO_STRING ? s.charAt(i) : a\n : TO_STRING ? s.slice(i, i + 2) : (a - 0xd800 << 10) + (b - 0xdc00) + 0x10000;\n };\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_string-at.js\n// module id = 127\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_string-at.js?"); + +/***/ }), +/* 128 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar LIBRARY = __webpack_require__(24);\nvar $export = __webpack_require__(8);\nvar redefine = __webpack_require__(18);\nvar hide = __webpack_require__(10);\nvar Iterators = __webpack_require__(129);\nvar $iterCreate = __webpack_require__(130);\nvar setToStringTag = __webpack_require__(25);\nvar getPrototypeOf = __webpack_require__(58);\nvar ITERATOR = __webpack_require__(26)('iterator');\nvar BUGGY = !([].keys && 'next' in [].keys()); // Safari has buggy iterators w/o `next`\nvar FF_ITERATOR = '@@iterator';\nvar KEYS = 'keys';\nvar VALUES = 'values';\n\nvar returnThis = function () { return this; };\n\nmodule.exports = function (Base, NAME, Constructor, next, DEFAULT, IS_SET, FORCED) {\n $iterCreate(Constructor, NAME, next);\n var getMethod = function (kind) {\n if (!BUGGY && kind in proto) return proto[kind];\n switch (kind) {\n case KEYS: return function keys() { return new Constructor(this, kind); };\n case VALUES: return function values() { return new Constructor(this, kind); };\n } return function entries() { return new Constructor(this, kind); };\n };\n var TAG = NAME + ' Iterator';\n var DEF_VALUES = DEFAULT == VALUES;\n var VALUES_BUG = false;\n var proto = Base.prototype;\n var $native = proto[ITERATOR] || proto[FF_ITERATOR] || DEFAULT && proto[DEFAULT];\n var $default = $native || getMethod(DEFAULT);\n var $entries = DEFAULT ? !DEF_VALUES ? $default : getMethod('entries') : undefined;\n var $anyNative = NAME == 'Array' ? proto.entries || $native : $native;\n var methods, key, IteratorPrototype;\n // Fix native\n if ($anyNative) {\n IteratorPrototype = getPrototypeOf($anyNative.call(new Base()));\n if (IteratorPrototype !== Object.prototype && IteratorPrototype.next) {\n // Set @@toStringTag to native iterators\n setToStringTag(IteratorPrototype, TAG, true);\n // fix for some old engines\n if (!LIBRARY && typeof IteratorPrototype[ITERATOR] != 'function') hide(IteratorPrototype, ITERATOR, returnThis);\n }\n }\n // fix Array#{values, @@iterator}.name in V8 / FF\n if (DEF_VALUES && $native && $native.name !== VALUES) {\n VALUES_BUG = true;\n $default = function values() { return $native.call(this); };\n }\n // Define iterator\n if ((!LIBRARY || FORCED) && (BUGGY || VALUES_BUG || !proto[ITERATOR])) {\n hide(proto, ITERATOR, $default);\n }\n // Plug for library\n Iterators[NAME] = $default;\n Iterators[TAG] = returnThis;\n if (DEFAULT) {\n methods = {\n values: DEF_VALUES ? $default : getMethod(VALUES),\n keys: IS_SET ? $default : getMethod(KEYS),\n entries: $entries\n };\n if (FORCED) for (key in methods) {\n if (!(key in proto)) redefine(proto, key, methods[key]);\n } else $export($export.P + $export.F * (BUGGY || VALUES_BUG), NAME, methods);\n }\n return methods;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_iter-define.js\n// module id = 128\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_iter-define.js?"); + +/***/ }), +/* 129 */ +/***/ (function(module, exports) { + + eval("module.exports = {};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_iterators.js\n// module id = 129\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_iterators.js?"); + +/***/ }), +/* 130 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar create = __webpack_require__(45);\nvar descriptor = __webpack_require__(17);\nvar setToStringTag = __webpack_require__(25);\nvar IteratorPrototype = {};\n\n// 25.1.2.1.1 %IteratorPrototype%[@@iterator]()\n__webpack_require__(10)(IteratorPrototype, __webpack_require__(26)('iterator'), function () { return this; });\n\nmodule.exports = function (Constructor, NAME, next) {\n Constructor.prototype = create(IteratorPrototype, { next: descriptor(1, next) });\n setToStringTag(Constructor, NAME + ' Iterator');\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_iter-create.js\n// module id = 130\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_iter-create.js?"); + +/***/ }), +/* 131 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $at = __webpack_require__(127)(false);\n$export($export.P, 'String', {\n // 21.1.3.3 String.prototype.codePointAt(pos)\n codePointAt: function codePointAt(pos) {\n return $at(this, pos);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.code-point-at.js\n// module id = 131\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.code-point-at.js?"); + +/***/ }), +/* 132 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 21.1.3.6 String.prototype.endsWith(searchString [, endPosition])\n'use strict';\nvar $export = __webpack_require__(8);\nvar toLength = __webpack_require__(37);\nvar context = __webpack_require__(133);\nvar ENDS_WITH = 'endsWith';\nvar $endsWith = ''[ENDS_WITH];\n\n$export($export.P + $export.F * __webpack_require__(135)(ENDS_WITH), 'String', {\n endsWith: function endsWith(searchString /* , endPosition = @length */) {\n var that = context(this, searchString, ENDS_WITH);\n var endPosition = arguments.length > 1 ? arguments[1] : undefined;\n var len = toLength(that.length);\n var end = endPosition === undefined ? len : Math.min(toLength(endPosition), len);\n var search = String(searchString);\n return $endsWith\n ? $endsWith.call(that, search, end)\n : that.slice(end - search.length, end) === search;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.ends-with.js\n// module id = 132\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.ends-with.js?"); + +/***/ }), +/* 133 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// helper for String#{startsWith, endsWith, includes}\nvar isRegExp = __webpack_require__(134);\nvar defined = __webpack_require__(35);\n\nmodule.exports = function (that, searchString, NAME) {\n if (isRegExp(searchString)) throw TypeError('String#' + NAME + \" doesn't accept regex!\");\n return String(defined(that));\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_string-context.js\n// module id = 133\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_string-context.js?"); + +/***/ }), +/* 134 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 7.2.8 IsRegExp(argument)\nvar isObject = __webpack_require__(13);\nvar cof = __webpack_require__(34);\nvar MATCH = __webpack_require__(26)('match');\nmodule.exports = function (it) {\n var isRegExp;\n return isObject(it) && ((isRegExp = it[MATCH]) !== undefined ? !!isRegExp : cof(it) == 'RegExp');\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_is-regexp.js\n// module id = 134\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_is-regexp.js?"); + +/***/ }), +/* 135 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var MATCH = __webpack_require__(26)('match');\nmodule.exports = function (KEY) {\n var re = /./;\n try {\n '/./'[KEY](re);\n } catch (e) {\n try {\n re[MATCH] = false;\n return !'/./'[KEY](re);\n } catch (f) { /* empty */ }\n } return true;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_fails-is-regexp.js\n// module id = 135\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_fails-is-regexp.js?"); + +/***/ }), +/* 136 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 21.1.3.7 String.prototype.includes(searchString, position = 0)\n'use strict';\nvar $export = __webpack_require__(8);\nvar context = __webpack_require__(133);\nvar INCLUDES = 'includes';\n\n$export($export.P + $export.F * __webpack_require__(135)(INCLUDES), 'String', {\n includes: function includes(searchString /* , position = 0 */) {\n return !!~context(this, searchString, INCLUDES)\n .indexOf(searchString, arguments.length > 1 ? arguments[1] : undefined);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.includes.js\n// module id = 136\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.includes.js?"); + +/***/ }), +/* 137 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\n\n$export($export.P, 'String', {\n // 21.1.3.13 String.prototype.repeat(count)\n repeat: __webpack_require__(90)\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.repeat.js\n// module id = 137\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.repeat.js?"); + +/***/ }), +/* 138 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 21.1.3.18 String.prototype.startsWith(searchString [, position ])\n'use strict';\nvar $export = __webpack_require__(8);\nvar toLength = __webpack_require__(37);\nvar context = __webpack_require__(133);\nvar STARTS_WITH = 'startsWith';\nvar $startsWith = ''[STARTS_WITH];\n\n$export($export.P + $export.F * __webpack_require__(135)(STARTS_WITH), 'String', {\n startsWith: function startsWith(searchString /* , position = 0 */) {\n var that = context(this, searchString, STARTS_WITH);\n var index = toLength(Math.min(arguments.length > 1 ? arguments[1] : undefined, that.length));\n var search = String(searchString);\n return $startsWith\n ? $startsWith.call(that, search, index)\n : that.slice(index, index + search.length) === search;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.starts-with.js\n// module id = 138\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.starts-with.js?"); + +/***/ }), +/* 139 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.2 String.prototype.anchor(name)\n__webpack_require__(140)('anchor', function (createHTML) {\n return function anchor(name) {\n return createHTML(this, 'a', 'name', name);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.anchor.js\n// module id = 139\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.anchor.js?"); + +/***/ }), +/* 140 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\nvar fails = __webpack_require__(7);\nvar defined = __webpack_require__(35);\nvar quot = /\"/g;\n// B.2.3.2.1 CreateHTML(string, tag, attribute, value)\nvar createHTML = function (string, tag, attribute, value) {\n var S = String(defined(string));\n var p1 = '<' + tag;\n if (attribute !== '') p1 += ' ' + attribute + '=\"' + String(value).replace(quot, '"') + '\"';\n return p1 + '>' + S + '';\n};\nmodule.exports = function (NAME, exec) {\n var O = {};\n O[NAME] = exec(createHTML);\n $export($export.P + $export.F * fails(function () {\n var test = ''[NAME]('\"');\n return test !== test.toLowerCase() || test.split('\"').length > 3;\n }), 'String', O);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_string-html.js\n// module id = 140\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_string-html.js?"); + +/***/ }), +/* 141 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.3 String.prototype.big()\n__webpack_require__(140)('big', function (createHTML) {\n return function big() {\n return createHTML(this, 'big', '', '');\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.big.js\n// module id = 141\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.big.js?"); + +/***/ }), +/* 142 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.4 String.prototype.blink()\n__webpack_require__(140)('blink', function (createHTML) {\n return function blink() {\n return createHTML(this, 'blink', '', '');\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.blink.js\n// module id = 142\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.blink.js?"); + +/***/ }), +/* 143 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.5 String.prototype.bold()\n__webpack_require__(140)('bold', function (createHTML) {\n return function bold() {\n return createHTML(this, 'b', '', '');\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.bold.js\n// module id = 143\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.bold.js?"); + +/***/ }), +/* 144 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.6 String.prototype.fixed()\n__webpack_require__(140)('fixed', function (createHTML) {\n return function fixed() {\n return createHTML(this, 'tt', '', '');\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.fixed.js\n// module id = 144\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.fixed.js?"); + +/***/ }), +/* 145 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.7 String.prototype.fontcolor(color)\n__webpack_require__(140)('fontcolor', function (createHTML) {\n return function fontcolor(color) {\n return createHTML(this, 'font', 'color', color);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.fontcolor.js\n// module id = 145\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.fontcolor.js?"); + +/***/ }), +/* 146 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.8 String.prototype.fontsize(size)\n__webpack_require__(140)('fontsize', function (createHTML) {\n return function fontsize(size) {\n return createHTML(this, 'font', 'size', size);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.fontsize.js\n// module id = 146\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.fontsize.js?"); + +/***/ }), +/* 147 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.9 String.prototype.italics()\n__webpack_require__(140)('italics', function (createHTML) {\n return function italics() {\n return createHTML(this, 'i', '', '');\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.italics.js\n// module id = 147\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.italics.js?"); + +/***/ }), +/* 148 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.10 String.prototype.link(url)\n__webpack_require__(140)('link', function (createHTML) {\n return function link(url) {\n return createHTML(this, 'a', 'href', url);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.link.js\n// module id = 148\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.link.js?"); + +/***/ }), +/* 149 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.11 String.prototype.small()\n__webpack_require__(140)('small', function (createHTML) {\n return function small() {\n return createHTML(this, 'small', '', '');\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.small.js\n// module id = 149\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.small.js?"); + +/***/ }), +/* 150 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.12 String.prototype.strike()\n__webpack_require__(140)('strike', function (createHTML) {\n return function strike() {\n return createHTML(this, 'strike', '', '');\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.strike.js\n// module id = 150\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.strike.js?"); + +/***/ }), +/* 151 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.13 String.prototype.sub()\n__webpack_require__(140)('sub', function (createHTML) {\n return function sub() {\n return createHTML(this, 'sub', '', '');\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.sub.js\n// module id = 151\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.sub.js?"); + +/***/ }), +/* 152 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// B.2.3.14 String.prototype.sup()\n__webpack_require__(140)('sup', function (createHTML) {\n return function sup() {\n return createHTML(this, 'sup', '', '');\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.string.sup.js\n// module id = 152\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.string.sup.js?"); + +/***/ }), +/* 153 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.3.3.1 / 15.9.4.4 Date.now()\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Date', { now: function () { return new Date().getTime(); } });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.date.now.js\n// module id = 153\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.date.now.js?"); + +/***/ }), +/* 154 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar toObject = __webpack_require__(57);\nvar toPrimitive = __webpack_require__(16);\n\n$export($export.P + $export.F * __webpack_require__(7)(function () {\n return new Date(NaN).toJSON() !== null\n || Date.prototype.toJSON.call({ toISOString: function () { return 1; } }) !== 1;\n}), 'Date', {\n // eslint-disable-next-line no-unused-vars\n toJSON: function toJSON(key) {\n var O = toObject(this);\n var pv = toPrimitive(O);\n return typeof pv == 'number' && !isFinite(pv) ? null : O.toISOString();\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.date.to-json.js\n// module id = 154\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.date.to-json.js?"); + +/***/ }), +/* 155 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 20.3.4.36 / 15.9.5.43 Date.prototype.toISOString()\nvar $export = __webpack_require__(8);\nvar toISOString = __webpack_require__(156);\n\n// PhantomJS / old WebKit has a broken implementations\n$export($export.P + $export.F * (Date.prototype.toISOString !== toISOString), 'Date', {\n toISOString: toISOString\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.date.to-iso-string.js\n// module id = 155\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.date.to-iso-string.js?"); + +/***/ }), +/* 156 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// 20.3.4.36 / 15.9.5.43 Date.prototype.toISOString()\nvar fails = __webpack_require__(7);\nvar getTime = Date.prototype.getTime;\nvar $toISOString = Date.prototype.toISOString;\n\nvar lz = function (num) {\n return num > 9 ? num : '0' + num;\n};\n\n// PhantomJS / old WebKit has a broken implementations\nmodule.exports = (fails(function () {\n return $toISOString.call(new Date(-5e13 - 1)) != '0385-07-25T07:06:39.999Z';\n}) || !fails(function () {\n $toISOString.call(new Date(NaN));\n})) ? function toISOString() {\n if (!isFinite(getTime.call(this))) throw RangeError('Invalid time value');\n var d = this;\n var y = d.getUTCFullYear();\n var m = d.getUTCMilliseconds();\n var s = y < 0 ? '-' : y > 9999 ? '+' : '';\n return s + ('00000' + Math.abs(y)).slice(s ? -6 : -4) +\n '-' + lz(d.getUTCMonth() + 1) + '-' + lz(d.getUTCDate()) +\n 'T' + lz(d.getUTCHours()) + ':' + lz(d.getUTCMinutes()) +\n ':' + lz(d.getUTCSeconds()) + '.' + (m > 99 ? m : '0' + lz(m)) + 'Z';\n} : $toISOString;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_date-to-iso-string.js\n// module id = 156\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_date-to-iso-string.js?"); + +/***/ }), +/* 157 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var DateProto = Date.prototype;\nvar INVALID_DATE = 'Invalid Date';\nvar TO_STRING = 'toString';\nvar $toString = DateProto[TO_STRING];\nvar getTime = DateProto.getTime;\nif (new Date(NaN) + '' != INVALID_DATE) {\n __webpack_require__(18)(DateProto, TO_STRING, function toString() {\n var value = getTime.call(this);\n // eslint-disable-next-line no-self-compare\n return value === value ? $toString.call(this) : INVALID_DATE;\n });\n}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.date.to-string.js\n// module id = 157\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.date.to-string.js?"); + +/***/ }), +/* 158 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var TO_PRIMITIVE = __webpack_require__(26)('toPrimitive');\nvar proto = Date.prototype;\n\nif (!(TO_PRIMITIVE in proto)) __webpack_require__(10)(proto, TO_PRIMITIVE, __webpack_require__(159));\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.date.to-primitive.js\n// module id = 158\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.date.to-primitive.js?"); + +/***/ }), +/* 159 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar anObject = __webpack_require__(12);\nvar toPrimitive = __webpack_require__(16);\nvar NUMBER = 'number';\n\nmodule.exports = function (hint) {\n if (hint !== 'string' && hint !== NUMBER && hint !== 'default') throw TypeError('Incorrect hint');\n return toPrimitive(anObject(this), hint != NUMBER);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_date-to-primitive.js\n// module id = 159\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_date-to-primitive.js?"); + +/***/ }), +/* 160 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 22.1.2.2 / 15.4.3.2 Array.isArray(arg)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Array', { isArray: __webpack_require__(44) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.is-array.js\n// module id = 160\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.is-array.js?"); + +/***/ }), +/* 161 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar ctx = __webpack_require__(20);\nvar $export = __webpack_require__(8);\nvar toObject = __webpack_require__(57);\nvar call = __webpack_require__(162);\nvar isArrayIter = __webpack_require__(163);\nvar toLength = __webpack_require__(37);\nvar createProperty = __webpack_require__(164);\nvar getIterFn = __webpack_require__(165);\n\n$export($export.S + $export.F * !__webpack_require__(166)(function (iter) { Array.from(iter); }), 'Array', {\n // 22.1.2.1 Array.from(arrayLike, mapfn = undefined, thisArg = undefined)\n from: function from(arrayLike /* , mapfn = undefined, thisArg = undefined */) {\n var O = toObject(arrayLike);\n var C = typeof this == 'function' ? this : Array;\n var aLen = arguments.length;\n var mapfn = aLen > 1 ? arguments[1] : undefined;\n var mapping = mapfn !== undefined;\n var index = 0;\n var iterFn = getIterFn(O);\n var length, result, step, iterator;\n if (mapping) mapfn = ctx(mapfn, aLen > 2 ? arguments[2] : undefined, 2);\n // if object isn't iterable or it's array with default iterator - use simple case\n if (iterFn != undefined && !(C == Array && isArrayIter(iterFn))) {\n for (iterator = iterFn.call(O), result = new C(); !(step = iterator.next()).done; index++) {\n createProperty(result, index, mapping ? call(iterator, mapfn, [step.value, index], true) : step.value);\n }\n } else {\n length = toLength(O.length);\n for (result = new C(length); length > index; index++) {\n createProperty(result, index, mapping ? mapfn(O[index], index) : O[index]);\n }\n }\n result.length = index;\n return result;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.from.js\n// module id = 161\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.from.js?"); + +/***/ }), +/* 162 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// call something on iterator step with safe closing on error\nvar anObject = __webpack_require__(12);\nmodule.exports = function (iterator, fn, value, entries) {\n try {\n return entries ? fn(anObject(value)[0], value[1]) : fn(value);\n // 7.4.6 IteratorClose(iterator, completion)\n } catch (e) {\n var ret = iterator['return'];\n if (ret !== undefined) anObject(ret.call(iterator));\n throw e;\n }\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_iter-call.js\n// module id = 162\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_iter-call.js?"); + +/***/ }), +/* 163 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// check on default Array iterator\nvar Iterators = __webpack_require__(129);\nvar ITERATOR = __webpack_require__(26)('iterator');\nvar ArrayProto = Array.prototype;\n\nmodule.exports = function (it) {\n return it !== undefined && (Iterators.Array === it || ArrayProto[ITERATOR] === it);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_is-array-iter.js\n// module id = 163\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_is-array-iter.js?"); + +/***/ }), +/* 164 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $defineProperty = __webpack_require__(11);\nvar createDesc = __webpack_require__(17);\n\nmodule.exports = function (object, index, value) {\n if (index in object) $defineProperty.f(object, index, createDesc(0, value));\n else object[index] = value;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_create-property.js\n// module id = 164\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_create-property.js?"); + +/***/ }), +/* 165 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var classof = __webpack_require__(74);\nvar ITERATOR = __webpack_require__(26)('iterator');\nvar Iterators = __webpack_require__(129);\nmodule.exports = __webpack_require__(9).getIteratorMethod = function (it) {\n if (it != undefined) return it[ITERATOR]\n || it['@@iterator']\n || Iterators[classof(it)];\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/core.get-iterator-method.js\n// module id = 165\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/core.get-iterator-method.js?"); + +/***/ }), +/* 166 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var ITERATOR = __webpack_require__(26)('iterator');\nvar SAFE_CLOSING = false;\n\ntry {\n var riter = [7][ITERATOR]();\n riter['return'] = function () { SAFE_CLOSING = true; };\n // eslint-disable-next-line no-throw-literal\n Array.from(riter, function () { throw 2; });\n} catch (e) { /* empty */ }\n\nmodule.exports = function (exec, skipClosing) {\n if (!skipClosing && !SAFE_CLOSING) return false;\n var safe = false;\n try {\n var arr = [7];\n var iter = arr[ITERATOR]();\n iter.next = function () { return { done: safe = true }; };\n arr[ITERATOR] = function () { return iter; };\n exec(arr);\n } catch (e) { /* empty */ }\n return safe;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_iter-detect.js\n// module id = 166\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_iter-detect.js?"); + +/***/ }), +/* 167 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar createProperty = __webpack_require__(164);\n\n// WebKit Array.of isn't generic\n$export($export.S + $export.F * __webpack_require__(7)(function () {\n function F() { /* empty */ }\n return !(Array.of.call(F) instanceof F);\n}), 'Array', {\n // 22.1.2.3 Array.of( ...items)\n of: function of(/* ...args */) {\n var index = 0;\n var aLen = arguments.length;\n var result = new (typeof this == 'function' ? this : Array)(aLen);\n while (aLen > index) createProperty(result, index, arguments[index++]);\n result.length = aLen;\n return result;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.of.js\n// module id = 167\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.of.js?"); + +/***/ }), +/* 168 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// 22.1.3.13 Array.prototype.join(separator)\nvar $export = __webpack_require__(8);\nvar toIObject = __webpack_require__(32);\nvar arrayJoin = [].join;\n\n// fallback for not array-like strings\n$export($export.P + $export.F * (__webpack_require__(33) != Object || !__webpack_require__(169)(arrayJoin)), 'Array', {\n join: function join(separator) {\n return arrayJoin.call(toIObject(this), separator === undefined ? ',' : separator);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.join.js\n// module id = 168\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.join.js?"); + +/***/ }), +/* 169 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar fails = __webpack_require__(7);\n\nmodule.exports = function (method, arg) {\n return !!method && fails(function () {\n // eslint-disable-next-line no-useless-call\n arg ? method.call(null, function () { /* empty */ }, 1) : method.call(null);\n });\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_strict-method.js\n// module id = 169\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_strict-method.js?"); + +/***/ }), +/* 170 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar html = __webpack_require__(47);\nvar cof = __webpack_require__(34);\nvar toAbsoluteIndex = __webpack_require__(39);\nvar toLength = __webpack_require__(37);\nvar arraySlice = [].slice;\n\n// fallback for not array-like ES3 strings and DOM objects\n$export($export.P + $export.F * __webpack_require__(7)(function () {\n if (html) arraySlice.call(html);\n}), 'Array', {\n slice: function slice(begin, end) {\n var len = toLength(this.length);\n var klass = cof(this);\n end = end === undefined ? len : end;\n if (klass == 'Array') return arraySlice.call(this, begin, end);\n var start = toAbsoluteIndex(begin, len);\n var upTo = toAbsoluteIndex(end, len);\n var size = toLength(upTo - start);\n var cloned = new Array(size);\n var i = 0;\n for (; i < size; i++) cloned[i] = klass == 'String'\n ? this.charAt(start + i)\n : this[start + i];\n return cloned;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.slice.js\n// module id = 170\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.slice.js?"); + +/***/ }), +/* 171 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar aFunction = __webpack_require__(21);\nvar toObject = __webpack_require__(57);\nvar fails = __webpack_require__(7);\nvar $sort = [].sort;\nvar test = [1, 2, 3];\n\n$export($export.P + $export.F * (fails(function () {\n // IE8-\n test.sort(undefined);\n}) || !fails(function () {\n // V8 bug\n test.sort(null);\n // Old WebKit\n}) || !__webpack_require__(169)($sort)), 'Array', {\n // 22.1.3.25 Array.prototype.sort(comparefn)\n sort: function sort(comparefn) {\n return comparefn === undefined\n ? $sort.call(toObject(this))\n : $sort.call(toObject(this), aFunction(comparefn));\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.sort.js\n// module id = 171\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.sort.js?"); + +/***/ }), +/* 172 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $forEach = __webpack_require__(173)(0);\nvar STRICT = __webpack_require__(169)([].forEach, true);\n\n$export($export.P + $export.F * !STRICT, 'Array', {\n // 22.1.3.10 / 15.4.4.18 Array.prototype.forEach(callbackfn [, thisArg])\n forEach: function forEach(callbackfn /* , thisArg */) {\n return $forEach(this, callbackfn, arguments[1]);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.for-each.js\n// module id = 172\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.for-each.js?"); + +/***/ }), +/* 173 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 0 -> Array#forEach\n// 1 -> Array#map\n// 2 -> Array#filter\n// 3 -> Array#some\n// 4 -> Array#every\n// 5 -> Array#find\n// 6 -> Array#findIndex\nvar ctx = __webpack_require__(20);\nvar IObject = __webpack_require__(33);\nvar toObject = __webpack_require__(57);\nvar toLength = __webpack_require__(37);\nvar asc = __webpack_require__(174);\nmodule.exports = function (TYPE, $create) {\n var IS_MAP = TYPE == 1;\n var IS_FILTER = TYPE == 2;\n var IS_SOME = TYPE == 3;\n var IS_EVERY = TYPE == 4;\n var IS_FIND_INDEX = TYPE == 6;\n var NO_HOLES = TYPE == 5 || IS_FIND_INDEX;\n var create = $create || asc;\n return function ($this, callbackfn, that) {\n var O = toObject($this);\n var self = IObject(O);\n var f = ctx(callbackfn, that, 3);\n var length = toLength(self.length);\n var index = 0;\n var result = IS_MAP ? create($this, length) : IS_FILTER ? create($this, 0) : undefined;\n var val, res;\n for (;length > index; index++) if (NO_HOLES || index in self) {\n val = self[index];\n res = f(val, index, O);\n if (TYPE) {\n if (IS_MAP) result[index] = res; // map\n else if (res) switch (TYPE) {\n case 3: return true; // some\n case 5: return val; // find\n case 6: return index; // findIndex\n case 2: result.push(val); // filter\n } else if (IS_EVERY) return false; // every\n }\n }\n return IS_FIND_INDEX ? -1 : IS_SOME || IS_EVERY ? IS_EVERY : result;\n };\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_array-methods.js\n// module id = 173\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_array-methods.js?"); + +/***/ }), +/* 174 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 9.4.2.3 ArraySpeciesCreate(originalArray, length)\nvar speciesConstructor = __webpack_require__(175);\n\nmodule.exports = function (original, length) {\n return new (speciesConstructor(original))(length);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_array-species-create.js\n// module id = 174\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_array-species-create.js?"); + +/***/ }), +/* 175 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var isObject = __webpack_require__(13);\nvar isArray = __webpack_require__(44);\nvar SPECIES = __webpack_require__(26)('species');\n\nmodule.exports = function (original) {\n var C;\n if (isArray(original)) {\n C = original.constructor;\n // cross-realm fallback\n if (typeof C == 'function' && (C === Array || isArray(C.prototype))) C = undefined;\n if (isObject(C)) {\n C = C[SPECIES];\n if (C === null) C = undefined;\n }\n } return C === undefined ? Array : C;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_array-species-constructor.js\n// module id = 175\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_array-species-constructor.js?"); + +/***/ }), +/* 176 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $map = __webpack_require__(173)(1);\n\n$export($export.P + $export.F * !__webpack_require__(169)([].map, true), 'Array', {\n // 22.1.3.15 / 15.4.4.19 Array.prototype.map(callbackfn [, thisArg])\n map: function map(callbackfn /* , thisArg */) {\n return $map(this, callbackfn, arguments[1]);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.map.js\n// module id = 176\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.map.js?"); + +/***/ }), +/* 177 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $filter = __webpack_require__(173)(2);\n\n$export($export.P + $export.F * !__webpack_require__(169)([].filter, true), 'Array', {\n // 22.1.3.7 / 15.4.4.20 Array.prototype.filter(callbackfn [, thisArg])\n filter: function filter(callbackfn /* , thisArg */) {\n return $filter(this, callbackfn, arguments[1]);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.filter.js\n// module id = 177\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.filter.js?"); + +/***/ }), +/* 178 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $some = __webpack_require__(173)(3);\n\n$export($export.P + $export.F * !__webpack_require__(169)([].some, true), 'Array', {\n // 22.1.3.23 / 15.4.4.17 Array.prototype.some(callbackfn [, thisArg])\n some: function some(callbackfn /* , thisArg */) {\n return $some(this, callbackfn, arguments[1]);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.some.js\n// module id = 178\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.some.js?"); + +/***/ }), +/* 179 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $every = __webpack_require__(173)(4);\n\n$export($export.P + $export.F * !__webpack_require__(169)([].every, true), 'Array', {\n // 22.1.3.5 / 15.4.4.16 Array.prototype.every(callbackfn [, thisArg])\n every: function every(callbackfn /* , thisArg */) {\n return $every(this, callbackfn, arguments[1]);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.every.js\n// module id = 179\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.every.js?"); + +/***/ }), +/* 180 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $reduce = __webpack_require__(181);\n\n$export($export.P + $export.F * !__webpack_require__(169)([].reduce, true), 'Array', {\n // 22.1.3.18 / 15.4.4.21 Array.prototype.reduce(callbackfn [, initialValue])\n reduce: function reduce(callbackfn /* , initialValue */) {\n return $reduce(this, callbackfn, arguments.length, arguments[1], false);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.reduce.js\n// module id = 180\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.reduce.js?"); + +/***/ }), +/* 181 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var aFunction = __webpack_require__(21);\nvar toObject = __webpack_require__(57);\nvar IObject = __webpack_require__(33);\nvar toLength = __webpack_require__(37);\n\nmodule.exports = function (that, callbackfn, aLen, memo, isRight) {\n aFunction(callbackfn);\n var O = toObject(that);\n var self = IObject(O);\n var length = toLength(O.length);\n var index = isRight ? length - 1 : 0;\n var i = isRight ? -1 : 1;\n if (aLen < 2) for (;;) {\n if (index in self) {\n memo = self[index];\n index += i;\n break;\n }\n index += i;\n if (isRight ? index < 0 : length <= index) {\n throw TypeError('Reduce of empty array with no initial value');\n }\n }\n for (;isRight ? index >= 0 : length > index; index += i) if (index in self) {\n memo = callbackfn(memo, self[index], index, O);\n }\n return memo;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_array-reduce.js\n// module id = 181\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_array-reduce.js?"); + +/***/ }), +/* 182 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $reduce = __webpack_require__(181);\n\n$export($export.P + $export.F * !__webpack_require__(169)([].reduceRight, true), 'Array', {\n // 22.1.3.19 / 15.4.4.22 Array.prototype.reduceRight(callbackfn [, initialValue])\n reduceRight: function reduceRight(callbackfn /* , initialValue */) {\n return $reduce(this, callbackfn, arguments.length, arguments[1], true);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.reduce-right.js\n// module id = 182\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.reduce-right.js?"); + +/***/ }), +/* 183 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $indexOf = __webpack_require__(36)(false);\nvar $native = [].indexOf;\nvar NEGATIVE_ZERO = !!$native && 1 / [1].indexOf(1, -0) < 0;\n\n$export($export.P + $export.F * (NEGATIVE_ZERO || !__webpack_require__(169)($native)), 'Array', {\n // 22.1.3.11 / 15.4.4.14 Array.prototype.indexOf(searchElement [, fromIndex])\n indexOf: function indexOf(searchElement /* , fromIndex = 0 */) {\n return NEGATIVE_ZERO\n // convert -0 to +0\n ? $native.apply(this, arguments) || 0\n : $indexOf(this, searchElement, arguments[1]);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.index-of.js\n// module id = 183\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.index-of.js?"); + +/***/ }), +/* 184 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar toIObject = __webpack_require__(32);\nvar toInteger = __webpack_require__(38);\nvar toLength = __webpack_require__(37);\nvar $native = [].lastIndexOf;\nvar NEGATIVE_ZERO = !!$native && 1 / [1].lastIndexOf(1, -0) < 0;\n\n$export($export.P + $export.F * (NEGATIVE_ZERO || !__webpack_require__(169)($native)), 'Array', {\n // 22.1.3.14 / 15.4.4.15 Array.prototype.lastIndexOf(searchElement [, fromIndex])\n lastIndexOf: function lastIndexOf(searchElement /* , fromIndex = @[*-1] */) {\n // convert -0 to +0\n if (NEGATIVE_ZERO) return $native.apply(this, arguments) || 0;\n var O = toIObject(this);\n var length = toLength(O.length);\n var index = length - 1;\n if (arguments.length > 1) index = Math.min(index, toInteger(arguments[1]));\n if (index < 0) index = length + index;\n for (;index >= 0; index--) if (index in O) if (O[index] === searchElement) return index || 0;\n return -1;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.last-index-of.js\n// module id = 184\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.last-index-of.js?"); + +/***/ }), +/* 185 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 22.1.3.3 Array.prototype.copyWithin(target, start, end = this.length)\nvar $export = __webpack_require__(8);\n\n$export($export.P, 'Array', { copyWithin: __webpack_require__(186) });\n\n__webpack_require__(187)('copyWithin');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.copy-within.js\n// module id = 185\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.copy-within.js?"); + +/***/ }), +/* 186 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 22.1.3.3 Array.prototype.copyWithin(target, start, end = this.length)\n'use strict';\nvar toObject = __webpack_require__(57);\nvar toAbsoluteIndex = __webpack_require__(39);\nvar toLength = __webpack_require__(37);\n\nmodule.exports = [].copyWithin || function copyWithin(target /* = 0 */, start /* = 0, end = @length */) {\n var O = toObject(this);\n var len = toLength(O.length);\n var to = toAbsoluteIndex(target, len);\n var from = toAbsoluteIndex(start, len);\n var end = arguments.length > 2 ? arguments[2] : undefined;\n var count = Math.min((end === undefined ? len : toAbsoluteIndex(end, len)) - from, len - to);\n var inc = 1;\n if (from < to && to < from + count) {\n inc = -1;\n from += count - 1;\n to += count - 1;\n }\n while (count-- > 0) {\n if (from in O) O[to] = O[from];\n else delete O[to];\n to += inc;\n from += inc;\n } return O;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_array-copy-within.js\n// module id = 186\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_array-copy-within.js?"); + +/***/ }), +/* 187 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 22.1.3.31 Array.prototype[@@unscopables]\nvar UNSCOPABLES = __webpack_require__(26)('unscopables');\nvar ArrayProto = Array.prototype;\nif (ArrayProto[UNSCOPABLES] == undefined) __webpack_require__(10)(ArrayProto, UNSCOPABLES, {});\nmodule.exports = function (key) {\n ArrayProto[UNSCOPABLES][key] = true;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_add-to-unscopables.js\n// module id = 187\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_add-to-unscopables.js?"); + +/***/ }), +/* 188 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 22.1.3.6 Array.prototype.fill(value, start = 0, end = this.length)\nvar $export = __webpack_require__(8);\n\n$export($export.P, 'Array', { fill: __webpack_require__(189) });\n\n__webpack_require__(187)('fill');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.fill.js\n// module id = 188\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.fill.js?"); + +/***/ }), +/* 189 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 22.1.3.6 Array.prototype.fill(value, start = 0, end = this.length)\n'use strict';\nvar toObject = __webpack_require__(57);\nvar toAbsoluteIndex = __webpack_require__(39);\nvar toLength = __webpack_require__(37);\nmodule.exports = function fill(value /* , start = 0, end = @length */) {\n var O = toObject(this);\n var length = toLength(O.length);\n var aLen = arguments.length;\n var index = toAbsoluteIndex(aLen > 1 ? arguments[1] : undefined, length);\n var end = aLen > 2 ? arguments[2] : undefined;\n var endPos = end === undefined ? length : toAbsoluteIndex(end, length);\n while (endPos > index) O[index++] = value;\n return O;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_array-fill.js\n// module id = 189\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_array-fill.js?"); + +/***/ }), +/* 190 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// 22.1.3.8 Array.prototype.find(predicate, thisArg = undefined)\nvar $export = __webpack_require__(8);\nvar $find = __webpack_require__(173)(5);\nvar KEY = 'find';\nvar forced = true;\n// Shouldn't skip holes\nif (KEY in []) Array(1)[KEY](function () { forced = false; });\n$export($export.P + $export.F * forced, 'Array', {\n find: function find(callbackfn /* , that = undefined */) {\n return $find(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined);\n }\n});\n__webpack_require__(187)(KEY);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.find.js\n// module id = 190\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.find.js?"); + +/***/ }), +/* 191 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// 22.1.3.9 Array.prototype.findIndex(predicate, thisArg = undefined)\nvar $export = __webpack_require__(8);\nvar $find = __webpack_require__(173)(6);\nvar KEY = 'findIndex';\nvar forced = true;\n// Shouldn't skip holes\nif (KEY in []) Array(1)[KEY](function () { forced = false; });\n$export($export.P + $export.F * forced, 'Array', {\n findIndex: function findIndex(callbackfn /* , that = undefined */) {\n return $find(this, callbackfn, arguments.length > 1 ? arguments[1] : undefined);\n }\n});\n__webpack_require__(187)(KEY);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.find-index.js\n// module id = 191\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.find-index.js?"); + +/***/ }), +/* 192 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(193)('Array');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.species.js\n// module id = 192\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.species.js?"); + +/***/ }), +/* 193 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar global = __webpack_require__(4);\nvar dP = __webpack_require__(11);\nvar DESCRIPTORS = __webpack_require__(6);\nvar SPECIES = __webpack_require__(26)('species');\n\nmodule.exports = function (KEY) {\n var C = global[KEY];\n if (DESCRIPTORS && C && !C[SPECIES]) dP.f(C, SPECIES, {\n configurable: true,\n get: function () { return this; }\n });\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_set-species.js\n// module id = 193\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_set-species.js?"); + +/***/ }), +/* 194 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar addToUnscopables = __webpack_require__(187);\nvar step = __webpack_require__(195);\nvar Iterators = __webpack_require__(129);\nvar toIObject = __webpack_require__(32);\n\n// 22.1.3.4 Array.prototype.entries()\n// 22.1.3.13 Array.prototype.keys()\n// 22.1.3.29 Array.prototype.values()\n// 22.1.3.30 Array.prototype[@@iterator]()\nmodule.exports = __webpack_require__(128)(Array, 'Array', function (iterated, kind) {\n this._t = toIObject(iterated); // target\n this._i = 0; // next index\n this._k = kind; // kind\n// 22.1.5.2.1 %ArrayIteratorPrototype%.next()\n}, function () {\n var O = this._t;\n var kind = this._k;\n var index = this._i++;\n if (!O || index >= O.length) {\n this._t = undefined;\n return step(1);\n }\n if (kind == 'keys') return step(0, index);\n if (kind == 'values') return step(0, O[index]);\n return step(0, [index, O[index]]);\n}, 'values');\n\n// argumentsList[@@iterator] is %ArrayProto_values% (9.4.4.6, 9.4.4.7)\nIterators.Arguments = Iterators.Array;\n\naddToUnscopables('keys');\naddToUnscopables('values');\naddToUnscopables('entries');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.array.iterator.js\n// module id = 194\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.array.iterator.js?"); + +/***/ }), +/* 195 */ +/***/ (function(module, exports) { + + eval("module.exports = function (done, value) {\n return { value: value, done: !!done };\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_iter-step.js\n// module id = 195\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_iter-step.js?"); + +/***/ }), +/* 196 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var global = __webpack_require__(4);\nvar inheritIfRequired = __webpack_require__(87);\nvar dP = __webpack_require__(11).f;\nvar gOPN = __webpack_require__(49).f;\nvar isRegExp = __webpack_require__(134);\nvar $flags = __webpack_require__(197);\nvar $RegExp = global.RegExp;\nvar Base = $RegExp;\nvar proto = $RegExp.prototype;\nvar re1 = /a/g;\nvar re2 = /a/g;\n// \"new\" creates a new object, old webkit buggy here\nvar CORRECT_NEW = new $RegExp(re1) !== re1;\n\nif (__webpack_require__(6) && (!CORRECT_NEW || __webpack_require__(7)(function () {\n re2[__webpack_require__(26)('match')] = false;\n // RegExp constructor can alter flags and IsRegExp works correct with @@match\n return $RegExp(re1) != re1 || $RegExp(re2) == re2 || $RegExp(re1, 'i') != '/a/i';\n}))) {\n $RegExp = function RegExp(p, f) {\n var tiRE = this instanceof $RegExp;\n var piRE = isRegExp(p);\n var fiU = f === undefined;\n return !tiRE && piRE && p.constructor === $RegExp && fiU ? p\n : inheritIfRequired(CORRECT_NEW\n ? new Base(piRE && !fiU ? p.source : p, f)\n : Base((piRE = p instanceof $RegExp) ? p.source : p, piRE && fiU ? $flags.call(p) : f)\n , tiRE ? this : proto, $RegExp);\n };\n var proxy = function (key) {\n key in $RegExp || dP($RegExp, key, {\n configurable: true,\n get: function () { return Base[key]; },\n set: function (it) { Base[key] = it; }\n });\n };\n for (var keys = gOPN(Base), i = 0; keys.length > i;) proxy(keys[i++]);\n proto.constructor = $RegExp;\n $RegExp.prototype = proto;\n __webpack_require__(18)(global, 'RegExp', $RegExp);\n}\n\n__webpack_require__(193)('RegExp');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.regexp.constructor.js\n// module id = 196\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.regexp.constructor.js?"); + +/***/ }), +/* 197 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// 21.2.5.3 get RegExp.prototype.flags\nvar anObject = __webpack_require__(12);\nmodule.exports = function () {\n var that = anObject(this);\n var result = '';\n if (that.global) result += 'g';\n if (that.ignoreCase) result += 'i';\n if (that.multiline) result += 'm';\n if (that.unicode) result += 'u';\n if (that.sticky) result += 'y';\n return result;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_flags.js\n// module id = 197\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_flags.js?"); + +/***/ }), +/* 198 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n__webpack_require__(199);\nvar anObject = __webpack_require__(12);\nvar $flags = __webpack_require__(197);\nvar DESCRIPTORS = __webpack_require__(6);\nvar TO_STRING = 'toString';\nvar $toString = /./[TO_STRING];\n\nvar define = function (fn) {\n __webpack_require__(18)(RegExp.prototype, TO_STRING, fn, true);\n};\n\n// 21.2.5.14 RegExp.prototype.toString()\nif (__webpack_require__(7)(function () { return $toString.call({ source: 'a', flags: 'b' }) != '/a/b'; })) {\n define(function toString() {\n var R = anObject(this);\n return '/'.concat(R.source, '/',\n 'flags' in R ? R.flags : !DESCRIPTORS && R instanceof RegExp ? $flags.call(R) : undefined);\n });\n// FF44- RegExp#toString has a wrong name\n} else if ($toString.name != TO_STRING) {\n define(function toString() {\n return $toString.call(this);\n });\n}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.regexp.to-string.js\n// module id = 198\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.regexp.to-string.js?"); + +/***/ }), +/* 199 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 21.2.5.3 get RegExp.prototype.flags()\nif (__webpack_require__(6) && /./g.flags != 'g') __webpack_require__(11).f(RegExp.prototype, 'flags', {\n configurable: true,\n get: __webpack_require__(197)\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.regexp.flags.js\n// module id = 199\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.regexp.flags.js?"); + +/***/ }), +/* 200 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// @@match logic\n__webpack_require__(201)('match', 1, function (defined, MATCH, $match) {\n // 21.1.3.11 String.prototype.match(regexp)\n return [function match(regexp) {\n 'use strict';\n var O = defined(this);\n var fn = regexp == undefined ? undefined : regexp[MATCH];\n return fn !== undefined ? fn.call(regexp, O) : new RegExp(regexp)[MATCH](String(O));\n }, $match];\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.regexp.match.js\n// module id = 200\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.regexp.match.js?"); + +/***/ }), +/* 201 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar hide = __webpack_require__(10);\nvar redefine = __webpack_require__(18);\nvar fails = __webpack_require__(7);\nvar defined = __webpack_require__(35);\nvar wks = __webpack_require__(26);\n\nmodule.exports = function (KEY, length, exec) {\n var SYMBOL = wks(KEY);\n var fns = exec(defined, SYMBOL, ''[KEY]);\n var strfn = fns[0];\n var rxfn = fns[1];\n if (fails(function () {\n var O = {};\n O[SYMBOL] = function () { return 7; };\n return ''[KEY](O) != 7;\n })) {\n redefine(String.prototype, KEY, strfn);\n hide(RegExp.prototype, SYMBOL, length == 2\n // 21.2.5.8 RegExp.prototype[@@replace](string, replaceValue)\n // 21.2.5.11 RegExp.prototype[@@split](string, limit)\n ? function (string, arg) { return rxfn.call(string, this, arg); }\n // 21.2.5.6 RegExp.prototype[@@match](string)\n // 21.2.5.9 RegExp.prototype[@@search](string)\n : function (string) { return rxfn.call(string, this); }\n );\n }\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_fix-re-wks.js\n// module id = 201\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_fix-re-wks.js?"); + +/***/ }), +/* 202 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// @@replace logic\n__webpack_require__(201)('replace', 2, function (defined, REPLACE, $replace) {\n // 21.1.3.14 String.prototype.replace(searchValue, replaceValue)\n return [function replace(searchValue, replaceValue) {\n 'use strict';\n var O = defined(this);\n var fn = searchValue == undefined ? undefined : searchValue[REPLACE];\n return fn !== undefined\n ? fn.call(searchValue, O, replaceValue)\n : $replace.call(String(O), searchValue, replaceValue);\n }, $replace];\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.regexp.replace.js\n// module id = 202\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.regexp.replace.js?"); + +/***/ }), +/* 203 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// @@search logic\n__webpack_require__(201)('search', 1, function (defined, SEARCH, $search) {\n // 21.1.3.15 String.prototype.search(regexp)\n return [function search(regexp) {\n 'use strict';\n var O = defined(this);\n var fn = regexp == undefined ? undefined : regexp[SEARCH];\n return fn !== undefined ? fn.call(regexp, O) : new RegExp(regexp)[SEARCH](String(O));\n }, $search];\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.regexp.search.js\n// module id = 203\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.regexp.search.js?"); + +/***/ }), +/* 204 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// @@split logic\n__webpack_require__(201)('split', 2, function (defined, SPLIT, $split) {\n 'use strict';\n var isRegExp = __webpack_require__(134);\n var _split = $split;\n var $push = [].push;\n var $SPLIT = 'split';\n var LENGTH = 'length';\n var LAST_INDEX = 'lastIndex';\n if (\n 'abbc'[$SPLIT](/(b)*/)[1] == 'c' ||\n 'test'[$SPLIT](/(?:)/, -1)[LENGTH] != 4 ||\n 'ab'[$SPLIT](/(?:ab)*/)[LENGTH] != 2 ||\n '.'[$SPLIT](/(.?)(.?)/)[LENGTH] != 4 ||\n '.'[$SPLIT](/()()/)[LENGTH] > 1 ||\n ''[$SPLIT](/.?/)[LENGTH]\n ) {\n var NPCG = /()??/.exec('')[1] === undefined; // nonparticipating capturing group\n // based on es5-shim implementation, need to rework it\n $split = function (separator, limit) {\n var string = String(this);\n if (separator === undefined && limit === 0) return [];\n // If `separator` is not a regex, use native split\n if (!isRegExp(separator)) return _split.call(string, separator, limit);\n var output = [];\n var flags = (separator.ignoreCase ? 'i' : '') +\n (separator.multiline ? 'm' : '') +\n (separator.unicode ? 'u' : '') +\n (separator.sticky ? 'y' : '');\n var lastLastIndex = 0;\n var splitLimit = limit === undefined ? 4294967295 : limit >>> 0;\n // Make `global` and avoid `lastIndex` issues by working with a copy\n var separatorCopy = new RegExp(separator.source, flags + 'g');\n var separator2, match, lastIndex, lastLength, i;\n // Doesn't need flags gy, but they don't hurt\n if (!NPCG) separator2 = new RegExp('^' + separatorCopy.source + '$(?!\\\\s)', flags);\n while (match = separatorCopy.exec(string)) {\n // `separatorCopy.lastIndex` is not reliable cross-browser\n lastIndex = match.index + match[0][LENGTH];\n if (lastIndex > lastLastIndex) {\n output.push(string.slice(lastLastIndex, match.index));\n // Fix browsers whose `exec` methods don't consistently return `undefined` for NPCG\n // eslint-disable-next-line no-loop-func\n if (!NPCG && match[LENGTH] > 1) match[0].replace(separator2, function () {\n for (i = 1; i < arguments[LENGTH] - 2; i++) if (arguments[i] === undefined) match[i] = undefined;\n });\n if (match[LENGTH] > 1 && match.index < string[LENGTH]) $push.apply(output, match.slice(1));\n lastLength = match[0][LENGTH];\n lastLastIndex = lastIndex;\n if (output[LENGTH] >= splitLimit) break;\n }\n if (separatorCopy[LAST_INDEX] === match.index) separatorCopy[LAST_INDEX]++; // Avoid an infinite loop\n }\n if (lastLastIndex === string[LENGTH]) {\n if (lastLength || !separatorCopy.test('')) output.push('');\n } else output.push(string.slice(lastLastIndex));\n return output[LENGTH] > splitLimit ? output.slice(0, splitLimit) : output;\n };\n // Chakra, V8\n } else if ('0'[$SPLIT](undefined, 0)[LENGTH]) {\n $split = function (separator, limit) {\n return separator === undefined && limit === 0 ? [] : _split.call(this, separator, limit);\n };\n }\n // 21.1.3.17 String.prototype.split(separator, limit)\n return [function split(separator, limit) {\n var O = defined(this);\n var fn = separator == undefined ? undefined : separator[SPLIT];\n return fn !== undefined ? fn.call(separator, O, limit) : $split.call(String(O), separator, limit);\n }, $split];\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.regexp.split.js\n// module id = 204\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.regexp.split.js?"); + +/***/ }), +/* 205 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar LIBRARY = __webpack_require__(24);\nvar global = __webpack_require__(4);\nvar ctx = __webpack_require__(20);\nvar classof = __webpack_require__(74);\nvar $export = __webpack_require__(8);\nvar isObject = __webpack_require__(13);\nvar aFunction = __webpack_require__(21);\nvar anInstance = __webpack_require__(206);\nvar forOf = __webpack_require__(207);\nvar speciesConstructor = __webpack_require__(208);\nvar task = __webpack_require__(209).set;\nvar microtask = __webpack_require__(210)();\nvar newPromiseCapabilityModule = __webpack_require__(211);\nvar perform = __webpack_require__(212);\nvar userAgent = __webpack_require__(213);\nvar promiseResolve = __webpack_require__(214);\nvar PROMISE = 'Promise';\nvar TypeError = global.TypeError;\nvar process = global.process;\nvar versions = process && process.versions;\nvar v8 = versions && versions.v8 || '';\nvar $Promise = global[PROMISE];\nvar isNode = classof(process) == 'process';\nvar empty = function () { /* empty */ };\nvar Internal, newGenericPromiseCapability, OwnPromiseCapability, Wrapper;\nvar newPromiseCapability = newGenericPromiseCapability = newPromiseCapabilityModule.f;\n\nvar USE_NATIVE = !!function () {\n try {\n // correct subclassing with @@species support\n var promise = $Promise.resolve(1);\n var FakePromise = (promise.constructor = {})[__webpack_require__(26)('species')] = function (exec) {\n exec(empty, empty);\n };\n // unhandled rejections tracking support, NodeJS Promise without it fails @@species test\n return (isNode || typeof PromiseRejectionEvent == 'function')\n && promise.then(empty) instanceof FakePromise\n // v8 6.6 (Node 10 and Chrome 66) have a bug with resolving custom thenables\n // https://bugs.chromium.org/p/chromium/issues/detail?id=830565\n // we can't detect it synchronously, so just check versions\n && v8.indexOf('6.6') !== 0\n && userAgent.indexOf('Chrome/66') === -1;\n } catch (e) { /* empty */ }\n}();\n\n// helpers\nvar isThenable = function (it) {\n var then;\n return isObject(it) && typeof (then = it.then) == 'function' ? then : false;\n};\nvar notify = function (promise, isReject) {\n if (promise._n) return;\n promise._n = true;\n var chain = promise._c;\n microtask(function () {\n var value = promise._v;\n var ok = promise._s == 1;\n var i = 0;\n var run = function (reaction) {\n var handler = ok ? reaction.ok : reaction.fail;\n var resolve = reaction.resolve;\n var reject = reaction.reject;\n var domain = reaction.domain;\n var result, then, exited;\n try {\n if (handler) {\n if (!ok) {\n if (promise._h == 2) onHandleUnhandled(promise);\n promise._h = 1;\n }\n if (handler === true) result = value;\n else {\n if (domain) domain.enter();\n result = handler(value); // may throw\n if (domain) {\n domain.exit();\n exited = true;\n }\n }\n if (result === reaction.promise) {\n reject(TypeError('Promise-chain cycle'));\n } else if (then = isThenable(result)) {\n then.call(result, resolve, reject);\n } else resolve(result);\n } else reject(value);\n } catch (e) {\n if (domain && !exited) domain.exit();\n reject(e);\n }\n };\n while (chain.length > i) run(chain[i++]); // variable length - can't use forEach\n promise._c = [];\n promise._n = false;\n if (isReject && !promise._h) onUnhandled(promise);\n });\n};\nvar onUnhandled = function (promise) {\n task.call(global, function () {\n var value = promise._v;\n var unhandled = isUnhandled(promise);\n var result, handler, console;\n if (unhandled) {\n result = perform(function () {\n if (isNode) {\n process.emit('unhandledRejection', value, promise);\n } else if (handler = global.onunhandledrejection) {\n handler({ promise: promise, reason: value });\n } else if ((console = global.console) && console.error) {\n console.error('Unhandled promise rejection', value);\n }\n });\n // Browsers should not trigger `rejectionHandled` event if it was handled here, NodeJS - should\n promise._h = isNode || isUnhandled(promise) ? 2 : 1;\n } promise._a = undefined;\n if (unhandled && result.e) throw result.v;\n });\n};\nvar isUnhandled = function (promise) {\n return promise._h !== 1 && (promise._a || promise._c).length === 0;\n};\nvar onHandleUnhandled = function (promise) {\n task.call(global, function () {\n var handler;\n if (isNode) {\n process.emit('rejectionHandled', promise);\n } else if (handler = global.onrejectionhandled) {\n handler({ promise: promise, reason: promise._v });\n }\n });\n};\nvar $reject = function (value) {\n var promise = this;\n if (promise._d) return;\n promise._d = true;\n promise = promise._w || promise; // unwrap\n promise._v = value;\n promise._s = 2;\n if (!promise._a) promise._a = promise._c.slice();\n notify(promise, true);\n};\nvar $resolve = function (value) {\n var promise = this;\n var then;\n if (promise._d) return;\n promise._d = true;\n promise = promise._w || promise; // unwrap\n try {\n if (promise === value) throw TypeError(\"Promise can't be resolved itself\");\n if (then = isThenable(value)) {\n microtask(function () {\n var wrapper = { _w: promise, _d: false }; // wrap\n try {\n then.call(value, ctx($resolve, wrapper, 1), ctx($reject, wrapper, 1));\n } catch (e) {\n $reject.call(wrapper, e);\n }\n });\n } else {\n promise._v = value;\n promise._s = 1;\n notify(promise, false);\n }\n } catch (e) {\n $reject.call({ _w: promise, _d: false }, e); // wrap\n }\n};\n\n// constructor polyfill\nif (!USE_NATIVE) {\n // 25.4.3.1 Promise(executor)\n $Promise = function Promise(executor) {\n anInstance(this, $Promise, PROMISE, '_h');\n aFunction(executor);\n Internal.call(this);\n try {\n executor(ctx($resolve, this, 1), ctx($reject, this, 1));\n } catch (err) {\n $reject.call(this, err);\n }\n };\n // eslint-disable-next-line no-unused-vars\n Internal = function Promise(executor) {\n this._c = []; // <- awaiting reactions\n this._a = undefined; // <- checked in isUnhandled reactions\n this._s = 0; // <- state\n this._d = false; // <- done\n this._v = undefined; // <- value\n this._h = 0; // <- rejection state, 0 - default, 1 - handled, 2 - unhandled\n this._n = false; // <- notify\n };\n Internal.prototype = __webpack_require__(215)($Promise.prototype, {\n // 25.4.5.3 Promise.prototype.then(onFulfilled, onRejected)\n then: function then(onFulfilled, onRejected) {\n var reaction = newPromiseCapability(speciesConstructor(this, $Promise));\n reaction.ok = typeof onFulfilled == 'function' ? onFulfilled : true;\n reaction.fail = typeof onRejected == 'function' && onRejected;\n reaction.domain = isNode ? process.domain : undefined;\n this._c.push(reaction);\n if (this._a) this._a.push(reaction);\n if (this._s) notify(this, false);\n return reaction.promise;\n },\n // 25.4.5.1 Promise.prototype.catch(onRejected)\n 'catch': function (onRejected) {\n return this.then(undefined, onRejected);\n }\n });\n OwnPromiseCapability = function () {\n var promise = new Internal();\n this.promise = promise;\n this.resolve = ctx($resolve, promise, 1);\n this.reject = ctx($reject, promise, 1);\n };\n newPromiseCapabilityModule.f = newPromiseCapability = function (C) {\n return C === $Promise || C === Wrapper\n ? new OwnPromiseCapability(C)\n : newGenericPromiseCapability(C);\n };\n}\n\n$export($export.G + $export.W + $export.F * !USE_NATIVE, { Promise: $Promise });\n__webpack_require__(25)($Promise, PROMISE);\n__webpack_require__(193)(PROMISE);\nWrapper = __webpack_require__(9)[PROMISE];\n\n// statics\n$export($export.S + $export.F * !USE_NATIVE, PROMISE, {\n // 25.4.4.5 Promise.reject(r)\n reject: function reject(r) {\n var capability = newPromiseCapability(this);\n var $$reject = capability.reject;\n $$reject(r);\n return capability.promise;\n }\n});\n$export($export.S + $export.F * (LIBRARY || !USE_NATIVE), PROMISE, {\n // 25.4.4.6 Promise.resolve(x)\n resolve: function resolve(x) {\n return promiseResolve(LIBRARY && this === Wrapper ? $Promise : this, x);\n }\n});\n$export($export.S + $export.F * !(USE_NATIVE && __webpack_require__(166)(function (iter) {\n $Promise.all(iter)['catch'](empty);\n})), PROMISE, {\n // 25.4.4.1 Promise.all(iterable)\n all: function all(iterable) {\n var C = this;\n var capability = newPromiseCapability(C);\n var resolve = capability.resolve;\n var reject = capability.reject;\n var result = perform(function () {\n var values = [];\n var index = 0;\n var remaining = 1;\n forOf(iterable, false, function (promise) {\n var $index = index++;\n var alreadyCalled = false;\n values.push(undefined);\n remaining++;\n C.resolve(promise).then(function (value) {\n if (alreadyCalled) return;\n alreadyCalled = true;\n values[$index] = value;\n --remaining || resolve(values);\n }, reject);\n });\n --remaining || resolve(values);\n });\n if (result.e) reject(result.v);\n return capability.promise;\n },\n // 25.4.4.4 Promise.race(iterable)\n race: function race(iterable) {\n var C = this;\n var capability = newPromiseCapability(C);\n var reject = capability.reject;\n var result = perform(function () {\n forOf(iterable, false, function (promise) {\n C.resolve(promise).then(capability.resolve, reject);\n });\n });\n if (result.e) reject(result.v);\n return capability.promise;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.promise.js\n// module id = 205\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.promise.js?"); + +/***/ }), +/* 206 */ +/***/ (function(module, exports) { + + eval("module.exports = function (it, Constructor, name, forbiddenField) {\n if (!(it instanceof Constructor) || (forbiddenField !== undefined && forbiddenField in it)) {\n throw TypeError(name + ': incorrect invocation!');\n } return it;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_an-instance.js\n// module id = 206\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_an-instance.js?"); + +/***/ }), +/* 207 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var ctx = __webpack_require__(20);\nvar call = __webpack_require__(162);\nvar isArrayIter = __webpack_require__(163);\nvar anObject = __webpack_require__(12);\nvar toLength = __webpack_require__(37);\nvar getIterFn = __webpack_require__(165);\nvar BREAK = {};\nvar RETURN = {};\nvar exports = module.exports = function (iterable, entries, fn, that, ITERATOR) {\n var iterFn = ITERATOR ? function () { return iterable; } : getIterFn(iterable);\n var f = ctx(fn, that, entries ? 2 : 1);\n var index = 0;\n var length, step, iterator, result;\n if (typeof iterFn != 'function') throw TypeError(iterable + ' is not iterable!');\n // fast case for arrays with default iterator\n if (isArrayIter(iterFn)) for (length = toLength(iterable.length); length > index; index++) {\n result = entries ? f(anObject(step = iterable[index])[0], step[1]) : f(iterable[index]);\n if (result === BREAK || result === RETURN) return result;\n } else for (iterator = iterFn.call(iterable); !(step = iterator.next()).done;) {\n result = call(iterator, f, step.value, entries);\n if (result === BREAK || result === RETURN) return result;\n }\n};\nexports.BREAK = BREAK;\nexports.RETURN = RETURN;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_for-of.js\n// module id = 207\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_for-of.js?"); + +/***/ }), +/* 208 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 7.3.20 SpeciesConstructor(O, defaultConstructor)\nvar anObject = __webpack_require__(12);\nvar aFunction = __webpack_require__(21);\nvar SPECIES = __webpack_require__(26)('species');\nmodule.exports = function (O, D) {\n var C = anObject(O).constructor;\n var S;\n return C === undefined || (S = anObject(C)[SPECIES]) == undefined ? D : aFunction(S);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_species-constructor.js\n// module id = 208\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_species-constructor.js?"); + +/***/ }), +/* 209 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var ctx = __webpack_require__(20);\nvar invoke = __webpack_require__(77);\nvar html = __webpack_require__(47);\nvar cel = __webpack_require__(15);\nvar global = __webpack_require__(4);\nvar process = global.process;\nvar setTask = global.setImmediate;\nvar clearTask = global.clearImmediate;\nvar MessageChannel = global.MessageChannel;\nvar Dispatch = global.Dispatch;\nvar counter = 0;\nvar queue = {};\nvar ONREADYSTATECHANGE = 'onreadystatechange';\nvar defer, channel, port;\nvar run = function () {\n var id = +this;\n // eslint-disable-next-line no-prototype-builtins\n if (queue.hasOwnProperty(id)) {\n var fn = queue[id];\n delete queue[id];\n fn();\n }\n};\nvar listener = function (event) {\n run.call(event.data);\n};\n// Node.js 0.9+ & IE10+ has setImmediate, otherwise:\nif (!setTask || !clearTask) {\n setTask = function setImmediate(fn) {\n var args = [];\n var i = 1;\n while (arguments.length > i) args.push(arguments[i++]);\n queue[++counter] = function () {\n // eslint-disable-next-line no-new-func\n invoke(typeof fn == 'function' ? fn : Function(fn), args);\n };\n defer(counter);\n return counter;\n };\n clearTask = function clearImmediate(id) {\n delete queue[id];\n };\n // Node.js 0.8-\n if (__webpack_require__(34)(process) == 'process') {\n defer = function (id) {\n process.nextTick(ctx(run, id, 1));\n };\n // Sphere (JS game engine) Dispatch API\n } else if (Dispatch && Dispatch.now) {\n defer = function (id) {\n Dispatch.now(ctx(run, id, 1));\n };\n // Browsers with MessageChannel, includes WebWorkers\n } else if (MessageChannel) {\n channel = new MessageChannel();\n port = channel.port2;\n channel.port1.onmessage = listener;\n defer = ctx(port.postMessage, port, 1);\n // Browsers with postMessage, skip WebWorkers\n // IE8 has postMessage, but it's sync & typeof its postMessage is 'object'\n } else if (global.addEventListener && typeof postMessage == 'function' && !global.importScripts) {\n defer = function (id) {\n global.postMessage(id + '', '*');\n };\n global.addEventListener('message', listener, false);\n // IE8-\n } else if (ONREADYSTATECHANGE in cel('script')) {\n defer = function (id) {\n html.appendChild(cel('script'))[ONREADYSTATECHANGE] = function () {\n html.removeChild(this);\n run.call(id);\n };\n };\n // Rest old browsers\n } else {\n defer = function (id) {\n setTimeout(ctx(run, id, 1), 0);\n };\n }\n}\nmodule.exports = {\n set: setTask,\n clear: clearTask\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_task.js\n// module id = 209\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_task.js?"); + +/***/ }), +/* 210 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var global = __webpack_require__(4);\nvar macrotask = __webpack_require__(209).set;\nvar Observer = global.MutationObserver || global.WebKitMutationObserver;\nvar process = global.process;\nvar Promise = global.Promise;\nvar isNode = __webpack_require__(34)(process) == 'process';\n\nmodule.exports = function () {\n var head, last, notify;\n\n var flush = function () {\n var parent, fn;\n if (isNode && (parent = process.domain)) parent.exit();\n while (head) {\n fn = head.fn;\n head = head.next;\n try {\n fn();\n } catch (e) {\n if (head) notify();\n else last = undefined;\n throw e;\n }\n } last = undefined;\n if (parent) parent.enter();\n };\n\n // Node.js\n if (isNode) {\n notify = function () {\n process.nextTick(flush);\n };\n // browsers with MutationObserver, except iOS Safari - https://github.com/zloirock/core-js/issues/339\n } else if (Observer && !(global.navigator && global.navigator.standalone)) {\n var toggle = true;\n var node = document.createTextNode('');\n new Observer(flush).observe(node, { characterData: true }); // eslint-disable-line no-new\n notify = function () {\n node.data = toggle = !toggle;\n };\n // environments with maybe non-completely correct, but existent Promise\n } else if (Promise && Promise.resolve) {\n // Promise.resolve without an argument throws an error in LG WebOS 2\n var promise = Promise.resolve(undefined);\n notify = function () {\n promise.then(flush);\n };\n // for other environments - macrotask based on:\n // - setImmediate\n // - MessageChannel\n // - window.postMessag\n // - onreadystatechange\n // - setTimeout\n } else {\n notify = function () {\n // strange IE + webpack dev server bug - use .call(global)\n macrotask.call(global, flush);\n };\n }\n\n return function (fn) {\n var task = { fn: fn, next: undefined };\n if (last) last.next = task;\n if (!head) {\n head = task;\n notify();\n } last = task;\n };\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_microtask.js\n// module id = 210\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_microtask.js?"); + +/***/ }), +/* 211 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// 25.4.1.5 NewPromiseCapability(C)\nvar aFunction = __webpack_require__(21);\n\nfunction PromiseCapability(C) {\n var resolve, reject;\n this.promise = new C(function ($$resolve, $$reject) {\n if (resolve !== undefined || reject !== undefined) throw TypeError('Bad Promise constructor');\n resolve = $$resolve;\n reject = $$reject;\n });\n this.resolve = aFunction(resolve);\n this.reject = aFunction(reject);\n}\n\nmodule.exports.f = function (C) {\n return new PromiseCapability(C);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_new-promise-capability.js\n// module id = 211\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_new-promise-capability.js?"); + +/***/ }), +/* 212 */ +/***/ (function(module, exports) { + + eval("module.exports = function (exec) {\n try {\n return { e: false, v: exec() };\n } catch (e) {\n return { e: true, v: e };\n }\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_perform.js\n// module id = 212\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_perform.js?"); + +/***/ }), +/* 213 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var global = __webpack_require__(4);\nvar navigator = global.navigator;\n\nmodule.exports = navigator && navigator.userAgent || '';\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_user-agent.js\n// module id = 213\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_user-agent.js?"); + +/***/ }), +/* 214 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var anObject = __webpack_require__(12);\nvar isObject = __webpack_require__(13);\nvar newPromiseCapability = __webpack_require__(211);\n\nmodule.exports = function (C, x) {\n anObject(C);\n if (isObject(x) && x.constructor === C) return x;\n var promiseCapability = newPromiseCapability.f(C);\n var resolve = promiseCapability.resolve;\n resolve(x);\n return promiseCapability.promise;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_promise-resolve.js\n// module id = 214\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_promise-resolve.js?"); + +/***/ }), +/* 215 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var redefine = __webpack_require__(18);\nmodule.exports = function (target, src, safe) {\n for (var key in src) redefine(target, key, src[key], safe);\n return target;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_redefine-all.js\n// module id = 215\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_redefine-all.js?"); + +/***/ }), +/* 216 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar strong = __webpack_require__(217);\nvar validate = __webpack_require__(218);\nvar MAP = 'Map';\n\n// 23.1 Map Objects\nmodule.exports = __webpack_require__(219)(MAP, function (get) {\n return function Map() { return get(this, arguments.length > 0 ? arguments[0] : undefined); };\n}, {\n // 23.1.3.6 Map.prototype.get(key)\n get: function get(key) {\n var entry = strong.getEntry(validate(this, MAP), key);\n return entry && entry.v;\n },\n // 23.1.3.9 Map.prototype.set(key, value)\n set: function set(key, value) {\n return strong.def(validate(this, MAP), key === 0 ? 0 : key, value);\n }\n}, strong, true);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.map.js\n// module id = 216\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.map.js?"); + +/***/ }), +/* 217 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar dP = __webpack_require__(11).f;\nvar create = __webpack_require__(45);\nvar redefineAll = __webpack_require__(215);\nvar ctx = __webpack_require__(20);\nvar anInstance = __webpack_require__(206);\nvar forOf = __webpack_require__(207);\nvar $iterDefine = __webpack_require__(128);\nvar step = __webpack_require__(195);\nvar setSpecies = __webpack_require__(193);\nvar DESCRIPTORS = __webpack_require__(6);\nvar fastKey = __webpack_require__(22).fastKey;\nvar validate = __webpack_require__(218);\nvar SIZE = DESCRIPTORS ? '_s' : 'size';\n\nvar getEntry = function (that, key) {\n // fast case\n var index = fastKey(key);\n var entry;\n if (index !== 'F') return that._i[index];\n // frozen object case\n for (entry = that._f; entry; entry = entry.n) {\n if (entry.k == key) return entry;\n }\n};\n\nmodule.exports = {\n getConstructor: function (wrapper, NAME, IS_MAP, ADDER) {\n var C = wrapper(function (that, iterable) {\n anInstance(that, C, NAME, '_i');\n that._t = NAME; // collection type\n that._i = create(null); // index\n that._f = undefined; // first entry\n that._l = undefined; // last entry\n that[SIZE] = 0; // size\n if (iterable != undefined) forOf(iterable, IS_MAP, that[ADDER], that);\n });\n redefineAll(C.prototype, {\n // 23.1.3.1 Map.prototype.clear()\n // 23.2.3.2 Set.prototype.clear()\n clear: function clear() {\n for (var that = validate(this, NAME), data = that._i, entry = that._f; entry; entry = entry.n) {\n entry.r = true;\n if (entry.p) entry.p = entry.p.n = undefined;\n delete data[entry.i];\n }\n that._f = that._l = undefined;\n that[SIZE] = 0;\n },\n // 23.1.3.3 Map.prototype.delete(key)\n // 23.2.3.4 Set.prototype.delete(value)\n 'delete': function (key) {\n var that = validate(this, NAME);\n var entry = getEntry(that, key);\n if (entry) {\n var next = entry.n;\n var prev = entry.p;\n delete that._i[entry.i];\n entry.r = true;\n if (prev) prev.n = next;\n if (next) next.p = prev;\n if (that._f == entry) that._f = next;\n if (that._l == entry) that._l = prev;\n that[SIZE]--;\n } return !!entry;\n },\n // 23.2.3.6 Set.prototype.forEach(callbackfn, thisArg = undefined)\n // 23.1.3.5 Map.prototype.forEach(callbackfn, thisArg = undefined)\n forEach: function forEach(callbackfn /* , that = undefined */) {\n validate(this, NAME);\n var f = ctx(callbackfn, arguments.length > 1 ? arguments[1] : undefined, 3);\n var entry;\n while (entry = entry ? entry.n : this._f) {\n f(entry.v, entry.k, this);\n // revert to the last existing entry\n while (entry && entry.r) entry = entry.p;\n }\n },\n // 23.1.3.7 Map.prototype.has(key)\n // 23.2.3.7 Set.prototype.has(value)\n has: function has(key) {\n return !!getEntry(validate(this, NAME), key);\n }\n });\n if (DESCRIPTORS) dP(C.prototype, 'size', {\n get: function () {\n return validate(this, NAME)[SIZE];\n }\n });\n return C;\n },\n def: function (that, key, value) {\n var entry = getEntry(that, key);\n var prev, index;\n // change existing entry\n if (entry) {\n entry.v = value;\n // create new entry\n } else {\n that._l = entry = {\n i: index = fastKey(key, true), // <- index\n k: key, // <- key\n v: value, // <- value\n p: prev = that._l, // <- previous entry\n n: undefined, // <- next entry\n r: false // <- removed\n };\n if (!that._f) that._f = entry;\n if (prev) prev.n = entry;\n that[SIZE]++;\n // add to index\n if (index !== 'F') that._i[index] = entry;\n } return that;\n },\n getEntry: getEntry,\n setStrong: function (C, NAME, IS_MAP) {\n // add .keys, .values, .entries, [@@iterator]\n // 23.1.3.4, 23.1.3.8, 23.1.3.11, 23.1.3.12, 23.2.3.5, 23.2.3.8, 23.2.3.10, 23.2.3.11\n $iterDefine(C, NAME, function (iterated, kind) {\n this._t = validate(iterated, NAME); // target\n this._k = kind; // kind\n this._l = undefined; // previous\n }, function () {\n var that = this;\n var kind = that._k;\n var entry = that._l;\n // revert to the last existing entry\n while (entry && entry.r) entry = entry.p;\n // get next entry\n if (!that._t || !(that._l = entry = entry ? entry.n : that._t._f)) {\n // or finish the iteration\n that._t = undefined;\n return step(1);\n }\n // return step by kind\n if (kind == 'keys') return step(0, entry.k);\n if (kind == 'values') return step(0, entry.v);\n return step(0, [entry.k, entry.v]);\n }, IS_MAP ? 'entries' : 'values', !IS_MAP, true);\n\n // add [@@species], 23.1.2.2, 23.2.2.2\n setSpecies(NAME);\n }\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_collection-strong.js\n// module id = 217\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_collection-strong.js?"); + +/***/ }), +/* 218 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var isObject = __webpack_require__(13);\nmodule.exports = function (it, TYPE) {\n if (!isObject(it) || it._t !== TYPE) throw TypeError('Incompatible receiver, ' + TYPE + ' required!');\n return it;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_validate-collection.js\n// module id = 218\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_validate-collection.js?"); + +/***/ }), +/* 219 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar global = __webpack_require__(4);\nvar $export = __webpack_require__(8);\nvar redefine = __webpack_require__(18);\nvar redefineAll = __webpack_require__(215);\nvar meta = __webpack_require__(22);\nvar forOf = __webpack_require__(207);\nvar anInstance = __webpack_require__(206);\nvar isObject = __webpack_require__(13);\nvar fails = __webpack_require__(7);\nvar $iterDetect = __webpack_require__(166);\nvar setToStringTag = __webpack_require__(25);\nvar inheritIfRequired = __webpack_require__(87);\n\nmodule.exports = function (NAME, wrapper, methods, common, IS_MAP, IS_WEAK) {\n var Base = global[NAME];\n var C = Base;\n var ADDER = IS_MAP ? 'set' : 'add';\n var proto = C && C.prototype;\n var O = {};\n var fixMethod = function (KEY) {\n var fn = proto[KEY];\n redefine(proto, KEY,\n KEY == 'delete' ? function (a) {\n return IS_WEAK && !isObject(a) ? false : fn.call(this, a === 0 ? 0 : a);\n } : KEY == 'has' ? function has(a) {\n return IS_WEAK && !isObject(a) ? false : fn.call(this, a === 0 ? 0 : a);\n } : KEY == 'get' ? function get(a) {\n return IS_WEAK && !isObject(a) ? undefined : fn.call(this, a === 0 ? 0 : a);\n } : KEY == 'add' ? function add(a) { fn.call(this, a === 0 ? 0 : a); return this; }\n : function set(a, b) { fn.call(this, a === 0 ? 0 : a, b); return this; }\n );\n };\n if (typeof C != 'function' || !(IS_WEAK || proto.forEach && !fails(function () {\n new C().entries().next();\n }))) {\n // create collection constructor\n C = common.getConstructor(wrapper, NAME, IS_MAP, ADDER);\n redefineAll(C.prototype, methods);\n meta.NEED = true;\n } else {\n var instance = new C();\n // early implementations not supports chaining\n var HASNT_CHAINING = instance[ADDER](IS_WEAK ? {} : -0, 1) != instance;\n // V8 ~ Chromium 40- weak-collections throws on primitives, but should return false\n var THROWS_ON_PRIMITIVES = fails(function () { instance.has(1); });\n // most early implementations doesn't supports iterables, most modern - not close it correctly\n var ACCEPT_ITERABLES = $iterDetect(function (iter) { new C(iter); }); // eslint-disable-line no-new\n // for early implementations -0 and +0 not the same\n var BUGGY_ZERO = !IS_WEAK && fails(function () {\n // V8 ~ Chromium 42- fails only with 5+ elements\n var $instance = new C();\n var index = 5;\n while (index--) $instance[ADDER](index, index);\n return !$instance.has(-0);\n });\n if (!ACCEPT_ITERABLES) {\n C = wrapper(function (target, iterable) {\n anInstance(target, C, NAME);\n var that = inheritIfRequired(new Base(), target, C);\n if (iterable != undefined) forOf(iterable, IS_MAP, that[ADDER], that);\n return that;\n });\n C.prototype = proto;\n proto.constructor = C;\n }\n if (THROWS_ON_PRIMITIVES || BUGGY_ZERO) {\n fixMethod('delete');\n fixMethod('has');\n IS_MAP && fixMethod('get');\n }\n if (BUGGY_ZERO || HASNT_CHAINING) fixMethod(ADDER);\n // weak collections should not contains .clear method\n if (IS_WEAK && proto.clear) delete proto.clear;\n }\n\n setToStringTag(C, NAME);\n\n O[NAME] = C;\n $export($export.G + $export.W + $export.F * (C != Base), O);\n\n if (!IS_WEAK) common.setStrong(C, NAME, IS_MAP);\n\n return C;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_collection.js\n// module id = 219\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_collection.js?"); + +/***/ }), +/* 220 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar strong = __webpack_require__(217);\nvar validate = __webpack_require__(218);\nvar SET = 'Set';\n\n// 23.2 Set Objects\nmodule.exports = __webpack_require__(219)(SET, function (get) {\n return function Set() { return get(this, arguments.length > 0 ? arguments[0] : undefined); };\n}, {\n // 23.2.3.1 Set.prototype.add(value)\n add: function add(value) {\n return strong.def(validate(this, SET), value = value === 0 ? 0 : value, value);\n }\n}, strong);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.set.js\n// module id = 220\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.set.js?"); + +/***/ }), +/* 221 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar each = __webpack_require__(173)(0);\nvar redefine = __webpack_require__(18);\nvar meta = __webpack_require__(22);\nvar assign = __webpack_require__(68);\nvar weak = __webpack_require__(222);\nvar isObject = __webpack_require__(13);\nvar fails = __webpack_require__(7);\nvar validate = __webpack_require__(218);\nvar WEAK_MAP = 'WeakMap';\nvar getWeak = meta.getWeak;\nvar isExtensible = Object.isExtensible;\nvar uncaughtFrozenStore = weak.ufstore;\nvar tmp = {};\nvar InternalMap;\n\nvar wrapper = function (get) {\n return function WeakMap() {\n return get(this, arguments.length > 0 ? arguments[0] : undefined);\n };\n};\n\nvar methods = {\n // 23.3.3.3 WeakMap.prototype.get(key)\n get: function get(key) {\n if (isObject(key)) {\n var data = getWeak(key);\n if (data === true) return uncaughtFrozenStore(validate(this, WEAK_MAP)).get(key);\n return data ? data[this._i] : undefined;\n }\n },\n // 23.3.3.5 WeakMap.prototype.set(key, value)\n set: function set(key, value) {\n return weak.def(validate(this, WEAK_MAP), key, value);\n }\n};\n\n// 23.3 WeakMap Objects\nvar $WeakMap = module.exports = __webpack_require__(219)(WEAK_MAP, wrapper, methods, weak, true, true);\n\n// IE11 WeakMap frozen keys fix\nif (fails(function () { return new $WeakMap().set((Object.freeze || Object)(tmp), 7).get(tmp) != 7; })) {\n InternalMap = weak.getConstructor(wrapper, WEAK_MAP);\n assign(InternalMap.prototype, methods);\n meta.NEED = true;\n each(['delete', 'has', 'get', 'set'], function (key) {\n var proto = $WeakMap.prototype;\n var method = proto[key];\n redefine(proto, key, function (a, b) {\n // store frozen objects on internal weakmap shim\n if (isObject(a) && !isExtensible(a)) {\n if (!this._f) this._f = new InternalMap();\n var result = this._f[key](a, b);\n return key == 'set' ? this : result;\n // store all the rest on native weakmap\n } return method.call(this, a, b);\n });\n });\n}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.weak-map.js\n// module id = 221\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.weak-map.js?"); + +/***/ }), +/* 222 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar redefineAll = __webpack_require__(215);\nvar getWeak = __webpack_require__(22).getWeak;\nvar anObject = __webpack_require__(12);\nvar isObject = __webpack_require__(13);\nvar anInstance = __webpack_require__(206);\nvar forOf = __webpack_require__(207);\nvar createArrayMethod = __webpack_require__(173);\nvar $has = __webpack_require__(5);\nvar validate = __webpack_require__(218);\nvar arrayFind = createArrayMethod(5);\nvar arrayFindIndex = createArrayMethod(6);\nvar id = 0;\n\n// fallback for uncaught frozen keys\nvar uncaughtFrozenStore = function (that) {\n return that._l || (that._l = new UncaughtFrozenStore());\n};\nvar UncaughtFrozenStore = function () {\n this.a = [];\n};\nvar findUncaughtFrozen = function (store, key) {\n return arrayFind(store.a, function (it) {\n return it[0] === key;\n });\n};\nUncaughtFrozenStore.prototype = {\n get: function (key) {\n var entry = findUncaughtFrozen(this, key);\n if (entry) return entry[1];\n },\n has: function (key) {\n return !!findUncaughtFrozen(this, key);\n },\n set: function (key, value) {\n var entry = findUncaughtFrozen(this, key);\n if (entry) entry[1] = value;\n else this.a.push([key, value]);\n },\n 'delete': function (key) {\n var index = arrayFindIndex(this.a, function (it) {\n return it[0] === key;\n });\n if (~index) this.a.splice(index, 1);\n return !!~index;\n }\n};\n\nmodule.exports = {\n getConstructor: function (wrapper, NAME, IS_MAP, ADDER) {\n var C = wrapper(function (that, iterable) {\n anInstance(that, C, NAME, '_i');\n that._t = NAME; // collection type\n that._i = id++; // collection id\n that._l = undefined; // leak store for uncaught frozen objects\n if (iterable != undefined) forOf(iterable, IS_MAP, that[ADDER], that);\n });\n redefineAll(C.prototype, {\n // 23.3.3.2 WeakMap.prototype.delete(key)\n // 23.4.3.3 WeakSet.prototype.delete(value)\n 'delete': function (key) {\n if (!isObject(key)) return false;\n var data = getWeak(key);\n if (data === true) return uncaughtFrozenStore(validate(this, NAME))['delete'](key);\n return data && $has(data, this._i) && delete data[this._i];\n },\n // 23.3.3.4 WeakMap.prototype.has(key)\n // 23.4.3.4 WeakSet.prototype.has(value)\n has: function has(key) {\n if (!isObject(key)) return false;\n var data = getWeak(key);\n if (data === true) return uncaughtFrozenStore(validate(this, NAME)).has(key);\n return data && $has(data, this._i);\n }\n });\n return C;\n },\n def: function (that, key, value) {\n var data = getWeak(anObject(key), true);\n if (data === true) uncaughtFrozenStore(that).set(key, value);\n else data[that._i] = value;\n return that;\n },\n ufstore: uncaughtFrozenStore\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_collection-weak.js\n// module id = 222\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_collection-weak.js?"); + +/***/ }), +/* 223 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar weak = __webpack_require__(222);\nvar validate = __webpack_require__(218);\nvar WEAK_SET = 'WeakSet';\n\n// 23.4 WeakSet Objects\n__webpack_require__(219)(WEAK_SET, function (get) {\n return function WeakSet() { return get(this, arguments.length > 0 ? arguments[0] : undefined); };\n}, {\n // 23.4.3.1 WeakSet.prototype.add(value)\n add: function add(value) {\n return weak.def(validate(this, WEAK_SET), value, true);\n }\n}, weak, false, true);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.weak-set.js\n// module id = 223\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.weak-set.js?"); + +/***/ }), +/* 224 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar $typed = __webpack_require__(225);\nvar buffer = __webpack_require__(226);\nvar anObject = __webpack_require__(12);\nvar toAbsoluteIndex = __webpack_require__(39);\nvar toLength = __webpack_require__(37);\nvar isObject = __webpack_require__(13);\nvar ArrayBuffer = __webpack_require__(4).ArrayBuffer;\nvar speciesConstructor = __webpack_require__(208);\nvar $ArrayBuffer = buffer.ArrayBuffer;\nvar $DataView = buffer.DataView;\nvar $isView = $typed.ABV && ArrayBuffer.isView;\nvar $slice = $ArrayBuffer.prototype.slice;\nvar VIEW = $typed.VIEW;\nvar ARRAY_BUFFER = 'ArrayBuffer';\n\n$export($export.G + $export.W + $export.F * (ArrayBuffer !== $ArrayBuffer), { ArrayBuffer: $ArrayBuffer });\n\n$export($export.S + $export.F * !$typed.CONSTR, ARRAY_BUFFER, {\n // 24.1.3.1 ArrayBuffer.isView(arg)\n isView: function isView(it) {\n return $isView && $isView(it) || isObject(it) && VIEW in it;\n }\n});\n\n$export($export.P + $export.U + $export.F * __webpack_require__(7)(function () {\n return !new $ArrayBuffer(2).slice(1, undefined).byteLength;\n}), ARRAY_BUFFER, {\n // 24.1.4.3 ArrayBuffer.prototype.slice(start, end)\n slice: function slice(start, end) {\n if ($slice !== undefined && end === undefined) return $slice.call(anObject(this), start); // FF fix\n var len = anObject(this).byteLength;\n var first = toAbsoluteIndex(start, len);\n var fin = toAbsoluteIndex(end === undefined ? len : end, len);\n var result = new (speciesConstructor(this, $ArrayBuffer))(toLength(fin - first));\n var viewS = new $DataView(this);\n var viewT = new $DataView(result);\n var index = 0;\n while (first < fin) {\n viewT.setUint8(index++, viewS.getUint8(first++));\n } return result;\n }\n});\n\n__webpack_require__(193)(ARRAY_BUFFER);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.array-buffer.js\n// module id = 224\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.array-buffer.js?"); + +/***/ }), +/* 225 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var global = __webpack_require__(4);\nvar hide = __webpack_require__(10);\nvar uid = __webpack_require__(19);\nvar TYPED = uid('typed_array');\nvar VIEW = uid('view');\nvar ABV = !!(global.ArrayBuffer && global.DataView);\nvar CONSTR = ABV;\nvar i = 0;\nvar l = 9;\nvar Typed;\n\nvar TypedArrayConstructors = (\n 'Int8Array,Uint8Array,Uint8ClampedArray,Int16Array,Uint16Array,Int32Array,Uint32Array,Float32Array,Float64Array'\n).split(',');\n\nwhile (i < l) {\n if (Typed = global[TypedArrayConstructors[i++]]) {\n hide(Typed.prototype, TYPED, true);\n hide(Typed.prototype, VIEW, true);\n } else CONSTR = false;\n}\n\nmodule.exports = {\n ABV: ABV,\n CONSTR: CONSTR,\n TYPED: TYPED,\n VIEW: VIEW\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_typed.js\n// module id = 225\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_typed.js?"); + +/***/ }), +/* 226 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar global = __webpack_require__(4);\nvar DESCRIPTORS = __webpack_require__(6);\nvar LIBRARY = __webpack_require__(24);\nvar $typed = __webpack_require__(225);\nvar hide = __webpack_require__(10);\nvar redefineAll = __webpack_require__(215);\nvar fails = __webpack_require__(7);\nvar anInstance = __webpack_require__(206);\nvar toInteger = __webpack_require__(38);\nvar toLength = __webpack_require__(37);\nvar toIndex = __webpack_require__(227);\nvar gOPN = __webpack_require__(49).f;\nvar dP = __webpack_require__(11).f;\nvar arrayFill = __webpack_require__(189);\nvar setToStringTag = __webpack_require__(25);\nvar ARRAY_BUFFER = 'ArrayBuffer';\nvar DATA_VIEW = 'DataView';\nvar PROTOTYPE = 'prototype';\nvar WRONG_LENGTH = 'Wrong length!';\nvar WRONG_INDEX = 'Wrong index!';\nvar $ArrayBuffer = global[ARRAY_BUFFER];\nvar $DataView = global[DATA_VIEW];\nvar Math = global.Math;\nvar RangeError = global.RangeError;\n// eslint-disable-next-line no-shadow-restricted-names\nvar Infinity = global.Infinity;\nvar BaseBuffer = $ArrayBuffer;\nvar abs = Math.abs;\nvar pow = Math.pow;\nvar floor = Math.floor;\nvar log = Math.log;\nvar LN2 = Math.LN2;\nvar BUFFER = 'buffer';\nvar BYTE_LENGTH = 'byteLength';\nvar BYTE_OFFSET = 'byteOffset';\nvar $BUFFER = DESCRIPTORS ? '_b' : BUFFER;\nvar $LENGTH = DESCRIPTORS ? '_l' : BYTE_LENGTH;\nvar $OFFSET = DESCRIPTORS ? '_o' : BYTE_OFFSET;\n\n// IEEE754 conversions based on https://github.com/feross/ieee754\nfunction packIEEE754(value, mLen, nBytes) {\n var buffer = new Array(nBytes);\n var eLen = nBytes * 8 - mLen - 1;\n var eMax = (1 << eLen) - 1;\n var eBias = eMax >> 1;\n var rt = mLen === 23 ? pow(2, -24) - pow(2, -77) : 0;\n var i = 0;\n var s = value < 0 || value === 0 && 1 / value < 0 ? 1 : 0;\n var e, m, c;\n value = abs(value);\n // eslint-disable-next-line no-self-compare\n if (value != value || value === Infinity) {\n // eslint-disable-next-line no-self-compare\n m = value != value ? 1 : 0;\n e = eMax;\n } else {\n e = floor(log(value) / LN2);\n if (value * (c = pow(2, -e)) < 1) {\n e--;\n c *= 2;\n }\n if (e + eBias >= 1) {\n value += rt / c;\n } else {\n value += rt * pow(2, 1 - eBias);\n }\n if (value * c >= 2) {\n e++;\n c /= 2;\n }\n if (e + eBias >= eMax) {\n m = 0;\n e = eMax;\n } else if (e + eBias >= 1) {\n m = (value * c - 1) * pow(2, mLen);\n e = e + eBias;\n } else {\n m = value * pow(2, eBias - 1) * pow(2, mLen);\n e = 0;\n }\n }\n for (; mLen >= 8; buffer[i++] = m & 255, m /= 256, mLen -= 8);\n e = e << mLen | m;\n eLen += mLen;\n for (; eLen > 0; buffer[i++] = e & 255, e /= 256, eLen -= 8);\n buffer[--i] |= s * 128;\n return buffer;\n}\nfunction unpackIEEE754(buffer, mLen, nBytes) {\n var eLen = nBytes * 8 - mLen - 1;\n var eMax = (1 << eLen) - 1;\n var eBias = eMax >> 1;\n var nBits = eLen - 7;\n var i = nBytes - 1;\n var s = buffer[i--];\n var e = s & 127;\n var m;\n s >>= 7;\n for (; nBits > 0; e = e * 256 + buffer[i], i--, nBits -= 8);\n m = e & (1 << -nBits) - 1;\n e >>= -nBits;\n nBits += mLen;\n for (; nBits > 0; m = m * 256 + buffer[i], i--, nBits -= 8);\n if (e === 0) {\n e = 1 - eBias;\n } else if (e === eMax) {\n return m ? NaN : s ? -Infinity : Infinity;\n } else {\n m = m + pow(2, mLen);\n e = e - eBias;\n } return (s ? -1 : 1) * m * pow(2, e - mLen);\n}\n\nfunction unpackI32(bytes) {\n return bytes[3] << 24 | bytes[2] << 16 | bytes[1] << 8 | bytes[0];\n}\nfunction packI8(it) {\n return [it & 0xff];\n}\nfunction packI16(it) {\n return [it & 0xff, it >> 8 & 0xff];\n}\nfunction packI32(it) {\n return [it & 0xff, it >> 8 & 0xff, it >> 16 & 0xff, it >> 24 & 0xff];\n}\nfunction packF64(it) {\n return packIEEE754(it, 52, 8);\n}\nfunction packF32(it) {\n return packIEEE754(it, 23, 4);\n}\n\nfunction addGetter(C, key, internal) {\n dP(C[PROTOTYPE], key, { get: function () { return this[internal]; } });\n}\n\nfunction get(view, bytes, index, isLittleEndian) {\n var numIndex = +index;\n var intIndex = toIndex(numIndex);\n if (intIndex + bytes > view[$LENGTH]) throw RangeError(WRONG_INDEX);\n var store = view[$BUFFER]._b;\n var start = intIndex + view[$OFFSET];\n var pack = store.slice(start, start + bytes);\n return isLittleEndian ? pack : pack.reverse();\n}\nfunction set(view, bytes, index, conversion, value, isLittleEndian) {\n var numIndex = +index;\n var intIndex = toIndex(numIndex);\n if (intIndex + bytes > view[$LENGTH]) throw RangeError(WRONG_INDEX);\n var store = view[$BUFFER]._b;\n var start = intIndex + view[$OFFSET];\n var pack = conversion(+value);\n for (var i = 0; i < bytes; i++) store[start + i] = pack[isLittleEndian ? i : bytes - i - 1];\n}\n\nif (!$typed.ABV) {\n $ArrayBuffer = function ArrayBuffer(length) {\n anInstance(this, $ArrayBuffer, ARRAY_BUFFER);\n var byteLength = toIndex(length);\n this._b = arrayFill.call(new Array(byteLength), 0);\n this[$LENGTH] = byteLength;\n };\n\n $DataView = function DataView(buffer, byteOffset, byteLength) {\n anInstance(this, $DataView, DATA_VIEW);\n anInstance(buffer, $ArrayBuffer, DATA_VIEW);\n var bufferLength = buffer[$LENGTH];\n var offset = toInteger(byteOffset);\n if (offset < 0 || offset > bufferLength) throw RangeError('Wrong offset!');\n byteLength = byteLength === undefined ? bufferLength - offset : toLength(byteLength);\n if (offset + byteLength > bufferLength) throw RangeError(WRONG_LENGTH);\n this[$BUFFER] = buffer;\n this[$OFFSET] = offset;\n this[$LENGTH] = byteLength;\n };\n\n if (DESCRIPTORS) {\n addGetter($ArrayBuffer, BYTE_LENGTH, '_l');\n addGetter($DataView, BUFFER, '_b');\n addGetter($DataView, BYTE_LENGTH, '_l');\n addGetter($DataView, BYTE_OFFSET, '_o');\n }\n\n redefineAll($DataView[PROTOTYPE], {\n getInt8: function getInt8(byteOffset) {\n return get(this, 1, byteOffset)[0] << 24 >> 24;\n },\n getUint8: function getUint8(byteOffset) {\n return get(this, 1, byteOffset)[0];\n },\n getInt16: function getInt16(byteOffset /* , littleEndian */) {\n var bytes = get(this, 2, byteOffset, arguments[1]);\n return (bytes[1] << 8 | bytes[0]) << 16 >> 16;\n },\n getUint16: function getUint16(byteOffset /* , littleEndian */) {\n var bytes = get(this, 2, byteOffset, arguments[1]);\n return bytes[1] << 8 | bytes[0];\n },\n getInt32: function getInt32(byteOffset /* , littleEndian */) {\n return unpackI32(get(this, 4, byteOffset, arguments[1]));\n },\n getUint32: function getUint32(byteOffset /* , littleEndian */) {\n return unpackI32(get(this, 4, byteOffset, arguments[1])) >>> 0;\n },\n getFloat32: function getFloat32(byteOffset /* , littleEndian */) {\n return unpackIEEE754(get(this, 4, byteOffset, arguments[1]), 23, 4);\n },\n getFloat64: function getFloat64(byteOffset /* , littleEndian */) {\n return unpackIEEE754(get(this, 8, byteOffset, arguments[1]), 52, 8);\n },\n setInt8: function setInt8(byteOffset, value) {\n set(this, 1, byteOffset, packI8, value);\n },\n setUint8: function setUint8(byteOffset, value) {\n set(this, 1, byteOffset, packI8, value);\n },\n setInt16: function setInt16(byteOffset, value /* , littleEndian */) {\n set(this, 2, byteOffset, packI16, value, arguments[2]);\n },\n setUint16: function setUint16(byteOffset, value /* , littleEndian */) {\n set(this, 2, byteOffset, packI16, value, arguments[2]);\n },\n setInt32: function setInt32(byteOffset, value /* , littleEndian */) {\n set(this, 4, byteOffset, packI32, value, arguments[2]);\n },\n setUint32: function setUint32(byteOffset, value /* , littleEndian */) {\n set(this, 4, byteOffset, packI32, value, arguments[2]);\n },\n setFloat32: function setFloat32(byteOffset, value /* , littleEndian */) {\n set(this, 4, byteOffset, packF32, value, arguments[2]);\n },\n setFloat64: function setFloat64(byteOffset, value /* , littleEndian */) {\n set(this, 8, byteOffset, packF64, value, arguments[2]);\n }\n });\n} else {\n if (!fails(function () {\n $ArrayBuffer(1);\n }) || !fails(function () {\n new $ArrayBuffer(-1); // eslint-disable-line no-new\n }) || fails(function () {\n new $ArrayBuffer(); // eslint-disable-line no-new\n new $ArrayBuffer(1.5); // eslint-disable-line no-new\n new $ArrayBuffer(NaN); // eslint-disable-line no-new\n return $ArrayBuffer.name != ARRAY_BUFFER;\n })) {\n $ArrayBuffer = function ArrayBuffer(length) {\n anInstance(this, $ArrayBuffer);\n return new BaseBuffer(toIndex(length));\n };\n var ArrayBufferProto = $ArrayBuffer[PROTOTYPE] = BaseBuffer[PROTOTYPE];\n for (var keys = gOPN(BaseBuffer), j = 0, key; keys.length > j;) {\n if (!((key = keys[j++]) in $ArrayBuffer)) hide($ArrayBuffer, key, BaseBuffer[key]);\n }\n if (!LIBRARY) ArrayBufferProto.constructor = $ArrayBuffer;\n }\n // iOS Safari 7.x bug\n var view = new $DataView(new $ArrayBuffer(2));\n var $setInt8 = $DataView[PROTOTYPE].setInt8;\n view.setInt8(0, 2147483648);\n view.setInt8(1, 2147483649);\n if (view.getInt8(0) || !view.getInt8(1)) redefineAll($DataView[PROTOTYPE], {\n setInt8: function setInt8(byteOffset, value) {\n $setInt8.call(this, byteOffset, value << 24 >> 24);\n },\n setUint8: function setUint8(byteOffset, value) {\n $setInt8.call(this, byteOffset, value << 24 >> 24);\n }\n }, true);\n}\nsetToStringTag($ArrayBuffer, ARRAY_BUFFER);\nsetToStringTag($DataView, DATA_VIEW);\nhide($DataView[PROTOTYPE], $typed.VIEW, true);\nexports[ARRAY_BUFFER] = $ArrayBuffer;\nexports[DATA_VIEW] = $DataView;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_typed-buffer.js\n// module id = 226\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_typed-buffer.js?"); + +/***/ }), +/* 227 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://tc39.github.io/ecma262/#sec-toindex\nvar toInteger = __webpack_require__(38);\nvar toLength = __webpack_require__(37);\nmodule.exports = function (it) {\n if (it === undefined) return 0;\n var number = toInteger(it);\n var length = toLength(number);\n if (number !== length) throw RangeError('Wrong length!');\n return length;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_to-index.js\n// module id = 227\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_to-index.js?"); + +/***/ }), +/* 228 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\n$export($export.G + $export.W + $export.F * !__webpack_require__(225).ABV, {\n DataView: __webpack_require__(226).DataView\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.data-view.js\n// module id = 228\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.data-view.js?"); + +/***/ }), +/* 229 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(230)('Int8', 1, function (init) {\n return function Int8Array(data, byteOffset, length) {\n return init(this, data, byteOffset, length);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.int8-array.js\n// module id = 229\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.int8-array.js?"); + +/***/ }), +/* 230 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nif (__webpack_require__(6)) {\n var LIBRARY = __webpack_require__(24);\n var global = __webpack_require__(4);\n var fails = __webpack_require__(7);\n var $export = __webpack_require__(8);\n var $typed = __webpack_require__(225);\n var $buffer = __webpack_require__(226);\n var ctx = __webpack_require__(20);\n var anInstance = __webpack_require__(206);\n var propertyDesc = __webpack_require__(17);\n var hide = __webpack_require__(10);\n var redefineAll = __webpack_require__(215);\n var toInteger = __webpack_require__(38);\n var toLength = __webpack_require__(37);\n var toIndex = __webpack_require__(227);\n var toAbsoluteIndex = __webpack_require__(39);\n var toPrimitive = __webpack_require__(16);\n var has = __webpack_require__(5);\n var classof = __webpack_require__(74);\n var isObject = __webpack_require__(13);\n var toObject = __webpack_require__(57);\n var isArrayIter = __webpack_require__(163);\n var create = __webpack_require__(45);\n var getPrototypeOf = __webpack_require__(58);\n var gOPN = __webpack_require__(49).f;\n var getIterFn = __webpack_require__(165);\n var uid = __webpack_require__(19);\n var wks = __webpack_require__(26);\n var createArrayMethod = __webpack_require__(173);\n var createArrayIncludes = __webpack_require__(36);\n var speciesConstructor = __webpack_require__(208);\n var ArrayIterators = __webpack_require__(194);\n var Iterators = __webpack_require__(129);\n var $iterDetect = __webpack_require__(166);\n var setSpecies = __webpack_require__(193);\n var arrayFill = __webpack_require__(189);\n var arrayCopyWithin = __webpack_require__(186);\n var $DP = __webpack_require__(11);\n var $GOPD = __webpack_require__(50);\n var dP = $DP.f;\n var gOPD = $GOPD.f;\n var RangeError = global.RangeError;\n var TypeError = global.TypeError;\n var Uint8Array = global.Uint8Array;\n var ARRAY_BUFFER = 'ArrayBuffer';\n var SHARED_BUFFER = 'Shared' + ARRAY_BUFFER;\n var BYTES_PER_ELEMENT = 'BYTES_PER_ELEMENT';\n var PROTOTYPE = 'prototype';\n var ArrayProto = Array[PROTOTYPE];\n var $ArrayBuffer = $buffer.ArrayBuffer;\n var $DataView = $buffer.DataView;\n var arrayForEach = createArrayMethod(0);\n var arrayFilter = createArrayMethod(2);\n var arraySome = createArrayMethod(3);\n var arrayEvery = createArrayMethod(4);\n var arrayFind = createArrayMethod(5);\n var arrayFindIndex = createArrayMethod(6);\n var arrayIncludes = createArrayIncludes(true);\n var arrayIndexOf = createArrayIncludes(false);\n var arrayValues = ArrayIterators.values;\n var arrayKeys = ArrayIterators.keys;\n var arrayEntries = ArrayIterators.entries;\n var arrayLastIndexOf = ArrayProto.lastIndexOf;\n var arrayReduce = ArrayProto.reduce;\n var arrayReduceRight = ArrayProto.reduceRight;\n var arrayJoin = ArrayProto.join;\n var arraySort = ArrayProto.sort;\n var arraySlice = ArrayProto.slice;\n var arrayToString = ArrayProto.toString;\n var arrayToLocaleString = ArrayProto.toLocaleString;\n var ITERATOR = wks('iterator');\n var TAG = wks('toStringTag');\n var TYPED_CONSTRUCTOR = uid('typed_constructor');\n var DEF_CONSTRUCTOR = uid('def_constructor');\n var ALL_CONSTRUCTORS = $typed.CONSTR;\n var TYPED_ARRAY = $typed.TYPED;\n var VIEW = $typed.VIEW;\n var WRONG_LENGTH = 'Wrong length!';\n\n var $map = createArrayMethod(1, function (O, length) {\n return allocate(speciesConstructor(O, O[DEF_CONSTRUCTOR]), length);\n });\n\n var LITTLE_ENDIAN = fails(function () {\n // eslint-disable-next-line no-undef\n return new Uint8Array(new Uint16Array([1]).buffer)[0] === 1;\n });\n\n var FORCED_SET = !!Uint8Array && !!Uint8Array[PROTOTYPE].set && fails(function () {\n new Uint8Array(1).set({});\n });\n\n var toOffset = function (it, BYTES) {\n var offset = toInteger(it);\n if (offset < 0 || offset % BYTES) throw RangeError('Wrong offset!');\n return offset;\n };\n\n var validate = function (it) {\n if (isObject(it) && TYPED_ARRAY in it) return it;\n throw TypeError(it + ' is not a typed array!');\n };\n\n var allocate = function (C, length) {\n if (!(isObject(C) && TYPED_CONSTRUCTOR in C)) {\n throw TypeError('It is not a typed array constructor!');\n } return new C(length);\n };\n\n var speciesFromList = function (O, list) {\n return fromList(speciesConstructor(O, O[DEF_CONSTRUCTOR]), list);\n };\n\n var fromList = function (C, list) {\n var index = 0;\n var length = list.length;\n var result = allocate(C, length);\n while (length > index) result[index] = list[index++];\n return result;\n };\n\n var addGetter = function (it, key, internal) {\n dP(it, key, { get: function () { return this._d[internal]; } });\n };\n\n var $from = function from(source /* , mapfn, thisArg */) {\n var O = toObject(source);\n var aLen = arguments.length;\n var mapfn = aLen > 1 ? arguments[1] : undefined;\n var mapping = mapfn !== undefined;\n var iterFn = getIterFn(O);\n var i, length, values, result, step, iterator;\n if (iterFn != undefined && !isArrayIter(iterFn)) {\n for (iterator = iterFn.call(O), values = [], i = 0; !(step = iterator.next()).done; i++) {\n values.push(step.value);\n } O = values;\n }\n if (mapping && aLen > 2) mapfn = ctx(mapfn, arguments[2], 2);\n for (i = 0, length = toLength(O.length), result = allocate(this, length); length > i; i++) {\n result[i] = mapping ? mapfn(O[i], i) : O[i];\n }\n return result;\n };\n\n var $of = function of(/* ...items */) {\n var index = 0;\n var length = arguments.length;\n var result = allocate(this, length);\n while (length > index) result[index] = arguments[index++];\n return result;\n };\n\n // iOS Safari 6.x fails here\n var TO_LOCALE_BUG = !!Uint8Array && fails(function () { arrayToLocaleString.call(new Uint8Array(1)); });\n\n var $toLocaleString = function toLocaleString() {\n return arrayToLocaleString.apply(TO_LOCALE_BUG ? arraySlice.call(validate(this)) : validate(this), arguments);\n };\n\n var proto = {\n copyWithin: function copyWithin(target, start /* , end */) {\n return arrayCopyWithin.call(validate(this), target, start, arguments.length > 2 ? arguments[2] : undefined);\n },\n every: function every(callbackfn /* , thisArg */) {\n return arrayEvery(validate(this), callbackfn, arguments.length > 1 ? arguments[1] : undefined);\n },\n fill: function fill(value /* , start, end */) { // eslint-disable-line no-unused-vars\n return arrayFill.apply(validate(this), arguments);\n },\n filter: function filter(callbackfn /* , thisArg */) {\n return speciesFromList(this, arrayFilter(validate(this), callbackfn,\n arguments.length > 1 ? arguments[1] : undefined));\n },\n find: function find(predicate /* , thisArg */) {\n return arrayFind(validate(this), predicate, arguments.length > 1 ? arguments[1] : undefined);\n },\n findIndex: function findIndex(predicate /* , thisArg */) {\n return arrayFindIndex(validate(this), predicate, arguments.length > 1 ? arguments[1] : undefined);\n },\n forEach: function forEach(callbackfn /* , thisArg */) {\n arrayForEach(validate(this), callbackfn, arguments.length > 1 ? arguments[1] : undefined);\n },\n indexOf: function indexOf(searchElement /* , fromIndex */) {\n return arrayIndexOf(validate(this), searchElement, arguments.length > 1 ? arguments[1] : undefined);\n },\n includes: function includes(searchElement /* , fromIndex */) {\n return arrayIncludes(validate(this), searchElement, arguments.length > 1 ? arguments[1] : undefined);\n },\n join: function join(separator) { // eslint-disable-line no-unused-vars\n return arrayJoin.apply(validate(this), arguments);\n },\n lastIndexOf: function lastIndexOf(searchElement /* , fromIndex */) { // eslint-disable-line no-unused-vars\n return arrayLastIndexOf.apply(validate(this), arguments);\n },\n map: function map(mapfn /* , thisArg */) {\n return $map(validate(this), mapfn, arguments.length > 1 ? arguments[1] : undefined);\n },\n reduce: function reduce(callbackfn /* , initialValue */) { // eslint-disable-line no-unused-vars\n return arrayReduce.apply(validate(this), arguments);\n },\n reduceRight: function reduceRight(callbackfn /* , initialValue */) { // eslint-disable-line no-unused-vars\n return arrayReduceRight.apply(validate(this), arguments);\n },\n reverse: function reverse() {\n var that = this;\n var length = validate(that).length;\n var middle = Math.floor(length / 2);\n var index = 0;\n var value;\n while (index < middle) {\n value = that[index];\n that[index++] = that[--length];\n that[length] = value;\n } return that;\n },\n some: function some(callbackfn /* , thisArg */) {\n return arraySome(validate(this), callbackfn, arguments.length > 1 ? arguments[1] : undefined);\n },\n sort: function sort(comparefn) {\n return arraySort.call(validate(this), comparefn);\n },\n subarray: function subarray(begin, end) {\n var O = validate(this);\n var length = O.length;\n var $begin = toAbsoluteIndex(begin, length);\n return new (speciesConstructor(O, O[DEF_CONSTRUCTOR]))(\n O.buffer,\n O.byteOffset + $begin * O.BYTES_PER_ELEMENT,\n toLength((end === undefined ? length : toAbsoluteIndex(end, length)) - $begin)\n );\n }\n };\n\n var $slice = function slice(start, end) {\n return speciesFromList(this, arraySlice.call(validate(this), start, end));\n };\n\n var $set = function set(arrayLike /* , offset */) {\n validate(this);\n var offset = toOffset(arguments[1], 1);\n var length = this.length;\n var src = toObject(arrayLike);\n var len = toLength(src.length);\n var index = 0;\n if (len + offset > length) throw RangeError(WRONG_LENGTH);\n while (index < len) this[offset + index] = src[index++];\n };\n\n var $iterators = {\n entries: function entries() {\n return arrayEntries.call(validate(this));\n },\n keys: function keys() {\n return arrayKeys.call(validate(this));\n },\n values: function values() {\n return arrayValues.call(validate(this));\n }\n };\n\n var isTAIndex = function (target, key) {\n return isObject(target)\n && target[TYPED_ARRAY]\n && typeof key != 'symbol'\n && key in target\n && String(+key) == String(key);\n };\n var $getDesc = function getOwnPropertyDescriptor(target, key) {\n return isTAIndex(target, key = toPrimitive(key, true))\n ? propertyDesc(2, target[key])\n : gOPD(target, key);\n };\n var $setDesc = function defineProperty(target, key, desc) {\n if (isTAIndex(target, key = toPrimitive(key, true))\n && isObject(desc)\n && has(desc, 'value')\n && !has(desc, 'get')\n && !has(desc, 'set')\n // TODO: add validation descriptor w/o calling accessors\n && !desc.configurable\n && (!has(desc, 'writable') || desc.writable)\n && (!has(desc, 'enumerable') || desc.enumerable)\n ) {\n target[key] = desc.value;\n return target;\n } return dP(target, key, desc);\n };\n\n if (!ALL_CONSTRUCTORS) {\n $GOPD.f = $getDesc;\n $DP.f = $setDesc;\n }\n\n $export($export.S + $export.F * !ALL_CONSTRUCTORS, 'Object', {\n getOwnPropertyDescriptor: $getDesc,\n defineProperty: $setDesc\n });\n\n if (fails(function () { arrayToString.call({}); })) {\n arrayToString = arrayToLocaleString = function toString() {\n return arrayJoin.call(this);\n };\n }\n\n var $TypedArrayPrototype$ = redefineAll({}, proto);\n redefineAll($TypedArrayPrototype$, $iterators);\n hide($TypedArrayPrototype$, ITERATOR, $iterators.values);\n redefineAll($TypedArrayPrototype$, {\n slice: $slice,\n set: $set,\n constructor: function () { /* noop */ },\n toString: arrayToString,\n toLocaleString: $toLocaleString\n });\n addGetter($TypedArrayPrototype$, 'buffer', 'b');\n addGetter($TypedArrayPrototype$, 'byteOffset', 'o');\n addGetter($TypedArrayPrototype$, 'byteLength', 'l');\n addGetter($TypedArrayPrototype$, 'length', 'e');\n dP($TypedArrayPrototype$, TAG, {\n get: function () { return this[TYPED_ARRAY]; }\n });\n\n // eslint-disable-next-line max-statements\n module.exports = function (KEY, BYTES, wrapper, CLAMPED) {\n CLAMPED = !!CLAMPED;\n var NAME = KEY + (CLAMPED ? 'Clamped' : '') + 'Array';\n var GETTER = 'get' + KEY;\n var SETTER = 'set' + KEY;\n var TypedArray = global[NAME];\n var Base = TypedArray || {};\n var TAC = TypedArray && getPrototypeOf(TypedArray);\n var FORCED = !TypedArray || !$typed.ABV;\n var O = {};\n var TypedArrayPrototype = TypedArray && TypedArray[PROTOTYPE];\n var getter = function (that, index) {\n var data = that._d;\n return data.v[GETTER](index * BYTES + data.o, LITTLE_ENDIAN);\n };\n var setter = function (that, index, value) {\n var data = that._d;\n if (CLAMPED) value = (value = Math.round(value)) < 0 ? 0 : value > 0xff ? 0xff : value & 0xff;\n data.v[SETTER](index * BYTES + data.o, value, LITTLE_ENDIAN);\n };\n var addElement = function (that, index) {\n dP(that, index, {\n get: function () {\n return getter(this, index);\n },\n set: function (value) {\n return setter(this, index, value);\n },\n enumerable: true\n });\n };\n if (FORCED) {\n TypedArray = wrapper(function (that, data, $offset, $length) {\n anInstance(that, TypedArray, NAME, '_d');\n var index = 0;\n var offset = 0;\n var buffer, byteLength, length, klass;\n if (!isObject(data)) {\n length = toIndex(data);\n byteLength = length * BYTES;\n buffer = new $ArrayBuffer(byteLength);\n } else if (data instanceof $ArrayBuffer || (klass = classof(data)) == ARRAY_BUFFER || klass == SHARED_BUFFER) {\n buffer = data;\n offset = toOffset($offset, BYTES);\n var $len = data.byteLength;\n if ($length === undefined) {\n if ($len % BYTES) throw RangeError(WRONG_LENGTH);\n byteLength = $len - offset;\n if (byteLength < 0) throw RangeError(WRONG_LENGTH);\n } else {\n byteLength = toLength($length) * BYTES;\n if (byteLength + offset > $len) throw RangeError(WRONG_LENGTH);\n }\n length = byteLength / BYTES;\n } else if (TYPED_ARRAY in data) {\n return fromList(TypedArray, data);\n } else {\n return $from.call(TypedArray, data);\n }\n hide(that, '_d', {\n b: buffer,\n o: offset,\n l: byteLength,\n e: length,\n v: new $DataView(buffer)\n });\n while (index < length) addElement(that, index++);\n });\n TypedArrayPrototype = TypedArray[PROTOTYPE] = create($TypedArrayPrototype$);\n hide(TypedArrayPrototype, 'constructor', TypedArray);\n } else if (!fails(function () {\n TypedArray(1);\n }) || !fails(function () {\n new TypedArray(-1); // eslint-disable-line no-new\n }) || !$iterDetect(function (iter) {\n new TypedArray(); // eslint-disable-line no-new\n new TypedArray(null); // eslint-disable-line no-new\n new TypedArray(1.5); // eslint-disable-line no-new\n new TypedArray(iter); // eslint-disable-line no-new\n }, true)) {\n TypedArray = wrapper(function (that, data, $offset, $length) {\n anInstance(that, TypedArray, NAME);\n var klass;\n // `ws` module bug, temporarily remove validation length for Uint8Array\n // https://github.com/websockets/ws/pull/645\n if (!isObject(data)) return new Base(toIndex(data));\n if (data instanceof $ArrayBuffer || (klass = classof(data)) == ARRAY_BUFFER || klass == SHARED_BUFFER) {\n return $length !== undefined\n ? new Base(data, toOffset($offset, BYTES), $length)\n : $offset !== undefined\n ? new Base(data, toOffset($offset, BYTES))\n : new Base(data);\n }\n if (TYPED_ARRAY in data) return fromList(TypedArray, data);\n return $from.call(TypedArray, data);\n });\n arrayForEach(TAC !== Function.prototype ? gOPN(Base).concat(gOPN(TAC)) : gOPN(Base), function (key) {\n if (!(key in TypedArray)) hide(TypedArray, key, Base[key]);\n });\n TypedArray[PROTOTYPE] = TypedArrayPrototype;\n if (!LIBRARY) TypedArrayPrototype.constructor = TypedArray;\n }\n var $nativeIterator = TypedArrayPrototype[ITERATOR];\n var CORRECT_ITER_NAME = !!$nativeIterator\n && ($nativeIterator.name == 'values' || $nativeIterator.name == undefined);\n var $iterator = $iterators.values;\n hide(TypedArray, TYPED_CONSTRUCTOR, true);\n hide(TypedArrayPrototype, TYPED_ARRAY, NAME);\n hide(TypedArrayPrototype, VIEW, true);\n hide(TypedArrayPrototype, DEF_CONSTRUCTOR, TypedArray);\n\n if (CLAMPED ? new TypedArray(1)[TAG] != NAME : !(TAG in TypedArrayPrototype)) {\n dP(TypedArrayPrototype, TAG, {\n get: function () { return NAME; }\n });\n }\n\n O[NAME] = TypedArray;\n\n $export($export.G + $export.W + $export.F * (TypedArray != Base), O);\n\n $export($export.S, NAME, {\n BYTES_PER_ELEMENT: BYTES\n });\n\n $export($export.S + $export.F * fails(function () { Base.of.call(TypedArray, 1); }), NAME, {\n from: $from,\n of: $of\n });\n\n if (!(BYTES_PER_ELEMENT in TypedArrayPrototype)) hide(TypedArrayPrototype, BYTES_PER_ELEMENT, BYTES);\n\n $export($export.P, NAME, proto);\n\n setSpecies(NAME);\n\n $export($export.P + $export.F * FORCED_SET, NAME, { set: $set });\n\n $export($export.P + $export.F * !CORRECT_ITER_NAME, NAME, $iterators);\n\n if (!LIBRARY && TypedArrayPrototype.toString != arrayToString) TypedArrayPrototype.toString = arrayToString;\n\n $export($export.P + $export.F * fails(function () {\n new TypedArray(1).slice();\n }), NAME, { slice: $slice });\n\n $export($export.P + $export.F * (fails(function () {\n return [1, 2].toLocaleString() != new TypedArray([1, 2]).toLocaleString();\n }) || !fails(function () {\n TypedArrayPrototype.toLocaleString.call([1, 2]);\n })), NAME, { toLocaleString: $toLocaleString });\n\n Iterators[NAME] = CORRECT_ITER_NAME ? $nativeIterator : $iterator;\n if (!LIBRARY && !CORRECT_ITER_NAME) hide(TypedArrayPrototype, ITERATOR, $iterator);\n };\n} else module.exports = function () { /* empty */ };\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_typed-array.js\n// module id = 230\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_typed-array.js?"); + +/***/ }), +/* 231 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(230)('Uint8', 1, function (init) {\n return function Uint8Array(data, byteOffset, length) {\n return init(this, data, byteOffset, length);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.uint8-array.js\n// module id = 231\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.uint8-array.js?"); + +/***/ }), +/* 232 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(230)('Uint8', 1, function (init) {\n return function Uint8ClampedArray(data, byteOffset, length) {\n return init(this, data, byteOffset, length);\n };\n}, true);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.uint8-clamped-array.js\n// module id = 232\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.uint8-clamped-array.js?"); + +/***/ }), +/* 233 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(230)('Int16', 2, function (init) {\n return function Int16Array(data, byteOffset, length) {\n return init(this, data, byteOffset, length);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.int16-array.js\n// module id = 233\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.int16-array.js?"); + +/***/ }), +/* 234 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(230)('Uint16', 2, function (init) {\n return function Uint16Array(data, byteOffset, length) {\n return init(this, data, byteOffset, length);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.uint16-array.js\n// module id = 234\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.uint16-array.js?"); + +/***/ }), +/* 235 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(230)('Int32', 4, function (init) {\n return function Int32Array(data, byteOffset, length) {\n return init(this, data, byteOffset, length);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.int32-array.js\n// module id = 235\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.int32-array.js?"); + +/***/ }), +/* 236 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(230)('Uint32', 4, function (init) {\n return function Uint32Array(data, byteOffset, length) {\n return init(this, data, byteOffset, length);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.uint32-array.js\n// module id = 236\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.uint32-array.js?"); + +/***/ }), +/* 237 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(230)('Float32', 4, function (init) {\n return function Float32Array(data, byteOffset, length) {\n return init(this, data, byteOffset, length);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.float32-array.js\n// module id = 237\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.float32-array.js?"); + +/***/ }), +/* 238 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(230)('Float64', 8, function (init) {\n return function Float64Array(data, byteOffset, length) {\n return init(this, data, byteOffset, length);\n };\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.typed.float64-array.js\n// module id = 238\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.typed.float64-array.js?"); + +/***/ }), +/* 239 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.1 Reflect.apply(target, thisArgument, argumentsList)\nvar $export = __webpack_require__(8);\nvar aFunction = __webpack_require__(21);\nvar anObject = __webpack_require__(12);\nvar rApply = (__webpack_require__(4).Reflect || {}).apply;\nvar fApply = Function.apply;\n// MS Edge argumentsList argument is optional\n$export($export.S + $export.F * !__webpack_require__(7)(function () {\n rApply(function () { /* empty */ });\n}), 'Reflect', {\n apply: function apply(target, thisArgument, argumentsList) {\n var T = aFunction(target);\n var L = anObject(argumentsList);\n return rApply ? rApply(T, thisArgument, L) : fApply.call(T, thisArgument, L);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.apply.js\n// module id = 239\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.apply.js?"); + +/***/ }), +/* 240 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.2 Reflect.construct(target, argumentsList [, newTarget])\nvar $export = __webpack_require__(8);\nvar create = __webpack_require__(45);\nvar aFunction = __webpack_require__(21);\nvar anObject = __webpack_require__(12);\nvar isObject = __webpack_require__(13);\nvar fails = __webpack_require__(7);\nvar bind = __webpack_require__(76);\nvar rConstruct = (__webpack_require__(4).Reflect || {}).construct;\n\n// MS Edge supports only 2 arguments and argumentsList argument is optional\n// FF Nightly sets third argument as `new.target`, but does not create `this` from it\nvar NEW_TARGET_BUG = fails(function () {\n function F() { /* empty */ }\n return !(rConstruct(function () { /* empty */ }, [], F) instanceof F);\n});\nvar ARGS_BUG = !fails(function () {\n rConstruct(function () { /* empty */ });\n});\n\n$export($export.S + $export.F * (NEW_TARGET_BUG || ARGS_BUG), 'Reflect', {\n construct: function construct(Target, args /* , newTarget */) {\n aFunction(Target);\n anObject(args);\n var newTarget = arguments.length < 3 ? Target : aFunction(arguments[2]);\n if (ARGS_BUG && !NEW_TARGET_BUG) return rConstruct(Target, args, newTarget);\n if (Target == newTarget) {\n // w/o altered newTarget, optimization for 0-4 arguments\n switch (args.length) {\n case 0: return new Target();\n case 1: return new Target(args[0]);\n case 2: return new Target(args[0], args[1]);\n case 3: return new Target(args[0], args[1], args[2]);\n case 4: return new Target(args[0], args[1], args[2], args[3]);\n }\n // w/o altered newTarget, lot of arguments case\n var $args = [null];\n $args.push.apply($args, args);\n return new (bind.apply(Target, $args))();\n }\n // with altered newTarget, not support built-in constructors\n var proto = newTarget.prototype;\n var instance = create(isObject(proto) ? proto : Object.prototype);\n var result = Function.apply.call(Target, instance, args);\n return isObject(result) ? result : instance;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.construct.js\n// module id = 240\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.construct.js?"); + +/***/ }), +/* 241 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.3 Reflect.defineProperty(target, propertyKey, attributes)\nvar dP = __webpack_require__(11);\nvar $export = __webpack_require__(8);\nvar anObject = __webpack_require__(12);\nvar toPrimitive = __webpack_require__(16);\n\n// MS Edge has broken Reflect.defineProperty - throwing instead of returning false\n$export($export.S + $export.F * __webpack_require__(7)(function () {\n // eslint-disable-next-line no-undef\n Reflect.defineProperty(dP.f({}, 1, { value: 1 }), 1, { value: 2 });\n}), 'Reflect', {\n defineProperty: function defineProperty(target, propertyKey, attributes) {\n anObject(target);\n propertyKey = toPrimitive(propertyKey, true);\n anObject(attributes);\n try {\n dP.f(target, propertyKey, attributes);\n return true;\n } catch (e) {\n return false;\n }\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.define-property.js\n// module id = 241\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.define-property.js?"); + +/***/ }), +/* 242 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.4 Reflect.deleteProperty(target, propertyKey)\nvar $export = __webpack_require__(8);\nvar gOPD = __webpack_require__(50).f;\nvar anObject = __webpack_require__(12);\n\n$export($export.S, 'Reflect', {\n deleteProperty: function deleteProperty(target, propertyKey) {\n var desc = gOPD(anObject(target), propertyKey);\n return desc && !desc.configurable ? false : delete target[propertyKey];\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.delete-property.js\n// module id = 242\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.delete-property.js?"); + +/***/ }), +/* 243 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// 26.1.5 Reflect.enumerate(target)\nvar $export = __webpack_require__(8);\nvar anObject = __webpack_require__(12);\nvar Enumerate = function (iterated) {\n this._t = anObject(iterated); // target\n this._i = 0; // next index\n var keys = this._k = []; // keys\n var key;\n for (key in iterated) keys.push(key);\n};\n__webpack_require__(130)(Enumerate, 'Object', function () {\n var that = this;\n var keys = that._k;\n var key;\n do {\n if (that._i >= keys.length) return { value: undefined, done: true };\n } while (!((key = keys[that._i++]) in that._t));\n return { value: key, done: false };\n});\n\n$export($export.S, 'Reflect', {\n enumerate: function enumerate(target) {\n return new Enumerate(target);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.enumerate.js\n// module id = 243\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.enumerate.js?"); + +/***/ }), +/* 244 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.6 Reflect.get(target, propertyKey [, receiver])\nvar gOPD = __webpack_require__(50);\nvar getPrototypeOf = __webpack_require__(58);\nvar has = __webpack_require__(5);\nvar $export = __webpack_require__(8);\nvar isObject = __webpack_require__(13);\nvar anObject = __webpack_require__(12);\n\nfunction get(target, propertyKey /* , receiver */) {\n var receiver = arguments.length < 3 ? target : arguments[2];\n var desc, proto;\n if (anObject(target) === receiver) return target[propertyKey];\n if (desc = gOPD.f(target, propertyKey)) return has(desc, 'value')\n ? desc.value\n : desc.get !== undefined\n ? desc.get.call(receiver)\n : undefined;\n if (isObject(proto = getPrototypeOf(target))) return get(proto, propertyKey, receiver);\n}\n\n$export($export.S, 'Reflect', { get: get });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.get.js\n// module id = 244\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.get.js?"); + +/***/ }), +/* 245 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.7 Reflect.getOwnPropertyDescriptor(target, propertyKey)\nvar gOPD = __webpack_require__(50);\nvar $export = __webpack_require__(8);\nvar anObject = __webpack_require__(12);\n\n$export($export.S, 'Reflect', {\n getOwnPropertyDescriptor: function getOwnPropertyDescriptor(target, propertyKey) {\n return gOPD.f(anObject(target), propertyKey);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.get-own-property-descriptor.js\n// module id = 245\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.get-own-property-descriptor.js?"); + +/***/ }), +/* 246 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.8 Reflect.getPrototypeOf(target)\nvar $export = __webpack_require__(8);\nvar getProto = __webpack_require__(58);\nvar anObject = __webpack_require__(12);\n\n$export($export.S, 'Reflect', {\n getPrototypeOf: function getPrototypeOf(target) {\n return getProto(anObject(target));\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.get-prototype-of.js\n// module id = 246\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.get-prototype-of.js?"); + +/***/ }), +/* 247 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.9 Reflect.has(target, propertyKey)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Reflect', {\n has: function has(target, propertyKey) {\n return propertyKey in target;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.has.js\n// module id = 247\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.has.js?"); + +/***/ }), +/* 248 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.10 Reflect.isExtensible(target)\nvar $export = __webpack_require__(8);\nvar anObject = __webpack_require__(12);\nvar $isExtensible = Object.isExtensible;\n\n$export($export.S, 'Reflect', {\n isExtensible: function isExtensible(target) {\n anObject(target);\n return $isExtensible ? $isExtensible(target) : true;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.is-extensible.js\n// module id = 248\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.is-extensible.js?"); + +/***/ }), +/* 249 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.11 Reflect.ownKeys(target)\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Reflect', { ownKeys: __webpack_require__(250) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.own-keys.js\n// module id = 249\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.own-keys.js?"); + +/***/ }), +/* 250 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// all object keys, includes non-enumerable and symbols\nvar gOPN = __webpack_require__(49);\nvar gOPS = __webpack_require__(42);\nvar anObject = __webpack_require__(12);\nvar Reflect = __webpack_require__(4).Reflect;\nmodule.exports = Reflect && Reflect.ownKeys || function ownKeys(it) {\n var keys = gOPN.f(anObject(it));\n var getSymbols = gOPS.f;\n return getSymbols ? keys.concat(getSymbols(it)) : keys;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_own-keys.js\n// module id = 250\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_own-keys.js?"); + +/***/ }), +/* 251 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.12 Reflect.preventExtensions(target)\nvar $export = __webpack_require__(8);\nvar anObject = __webpack_require__(12);\nvar $preventExtensions = Object.preventExtensions;\n\n$export($export.S, 'Reflect', {\n preventExtensions: function preventExtensions(target) {\n anObject(target);\n try {\n if ($preventExtensions) $preventExtensions(target);\n return true;\n } catch (e) {\n return false;\n }\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.prevent-extensions.js\n// module id = 251\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.prevent-extensions.js?"); + +/***/ }), +/* 252 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.13 Reflect.set(target, propertyKey, V [, receiver])\nvar dP = __webpack_require__(11);\nvar gOPD = __webpack_require__(50);\nvar getPrototypeOf = __webpack_require__(58);\nvar has = __webpack_require__(5);\nvar $export = __webpack_require__(8);\nvar createDesc = __webpack_require__(17);\nvar anObject = __webpack_require__(12);\nvar isObject = __webpack_require__(13);\n\nfunction set(target, propertyKey, V /* , receiver */) {\n var receiver = arguments.length < 4 ? target : arguments[3];\n var ownDesc = gOPD.f(anObject(target), propertyKey);\n var existingDescriptor, proto;\n if (!ownDesc) {\n if (isObject(proto = getPrototypeOf(target))) {\n return set(proto, propertyKey, V, receiver);\n }\n ownDesc = createDesc(0);\n }\n if (has(ownDesc, 'value')) {\n if (ownDesc.writable === false || !isObject(receiver)) return false;\n if (existingDescriptor = gOPD.f(receiver, propertyKey)) {\n if (existingDescriptor.get || existingDescriptor.set || existingDescriptor.writable === false) return false;\n existingDescriptor.value = V;\n dP.f(receiver, propertyKey, existingDescriptor);\n } else dP.f(receiver, propertyKey, createDesc(0, V));\n return true;\n }\n return ownDesc.set === undefined ? false : (ownDesc.set.call(receiver, V), true);\n}\n\n$export($export.S, 'Reflect', { set: set });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.set.js\n// module id = 252\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.set.js?"); + +/***/ }), +/* 253 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// 26.1.14 Reflect.setPrototypeOf(target, proto)\nvar $export = __webpack_require__(8);\nvar setProto = __webpack_require__(72);\n\nif (setProto) $export($export.S, 'Reflect', {\n setPrototypeOf: function setPrototypeOf(target, proto) {\n setProto.check(target, proto);\n try {\n setProto.set(target, proto);\n return true;\n } catch (e) {\n return false;\n }\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es6.reflect.set-prototype-of.js\n// module id = 253\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es6.reflect.set-prototype-of.js?"); + +/***/ }), +/* 254 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://github.com/tc39/Array.prototype.includes\nvar $export = __webpack_require__(8);\nvar $includes = __webpack_require__(36)(true);\n\n$export($export.P, 'Array', {\n includes: function includes(el /* , fromIndex = 0 */) {\n return $includes(this, el, arguments.length > 1 ? arguments[1] : undefined);\n }\n});\n\n__webpack_require__(187)('includes');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.array.includes.js\n// module id = 254\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.array.includes.js?"); + +/***/ }), +/* 255 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://tc39.github.io/proposal-flatMap/#sec-Array.prototype.flatMap\nvar $export = __webpack_require__(8);\nvar flattenIntoArray = __webpack_require__(256);\nvar toObject = __webpack_require__(57);\nvar toLength = __webpack_require__(37);\nvar aFunction = __webpack_require__(21);\nvar arraySpeciesCreate = __webpack_require__(174);\n\n$export($export.P, 'Array', {\n flatMap: function flatMap(callbackfn /* , thisArg */) {\n var O = toObject(this);\n var sourceLen, A;\n aFunction(callbackfn);\n sourceLen = toLength(O.length);\n A = arraySpeciesCreate(O, 0);\n flattenIntoArray(A, O, O, sourceLen, 0, 1, callbackfn, arguments[1]);\n return A;\n }\n});\n\n__webpack_require__(187)('flatMap');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.array.flat-map.js\n// module id = 255\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.array.flat-map.js?"); + +/***/ }), +/* 256 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://tc39.github.io/proposal-flatMap/#sec-FlattenIntoArray\nvar isArray = __webpack_require__(44);\nvar isObject = __webpack_require__(13);\nvar toLength = __webpack_require__(37);\nvar ctx = __webpack_require__(20);\nvar IS_CONCAT_SPREADABLE = __webpack_require__(26)('isConcatSpreadable');\n\nfunction flattenIntoArray(target, original, source, sourceLen, start, depth, mapper, thisArg) {\n var targetIndex = start;\n var sourceIndex = 0;\n var mapFn = mapper ? ctx(mapper, thisArg, 3) : false;\n var element, spreadable;\n\n while (sourceIndex < sourceLen) {\n if (sourceIndex in source) {\n element = mapFn ? mapFn(source[sourceIndex], sourceIndex, original) : source[sourceIndex];\n\n spreadable = false;\n if (isObject(element)) {\n spreadable = element[IS_CONCAT_SPREADABLE];\n spreadable = spreadable !== undefined ? !!spreadable : isArray(element);\n }\n\n if (spreadable && depth > 0) {\n targetIndex = flattenIntoArray(target, original, element, toLength(element.length), targetIndex, depth - 1) - 1;\n } else {\n if (targetIndex >= 0x1fffffffffffff) throw TypeError();\n target[targetIndex] = element;\n }\n\n targetIndex++;\n }\n sourceIndex++;\n }\n return targetIndex;\n}\n\nmodule.exports = flattenIntoArray;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_flatten-into-array.js\n// module id = 256\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_flatten-into-array.js?"); + +/***/ }), +/* 257 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://tc39.github.io/proposal-flatMap/#sec-Array.prototype.flatten\nvar $export = __webpack_require__(8);\nvar flattenIntoArray = __webpack_require__(256);\nvar toObject = __webpack_require__(57);\nvar toLength = __webpack_require__(37);\nvar toInteger = __webpack_require__(38);\nvar arraySpeciesCreate = __webpack_require__(174);\n\n$export($export.P, 'Array', {\n flatten: function flatten(/* depthArg = 1 */) {\n var depthArg = arguments[0];\n var O = toObject(this);\n var sourceLen = toLength(O.length);\n var A = arraySpeciesCreate(O, 0);\n flattenIntoArray(A, O, O, sourceLen, 0, depthArg === undefined ? 1 : toInteger(depthArg));\n return A;\n }\n});\n\n__webpack_require__(187)('flatten');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.array.flatten.js\n// module id = 257\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.array.flatten.js?"); + +/***/ }), +/* 258 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://github.com/mathiasbynens/String.prototype.at\nvar $export = __webpack_require__(8);\nvar $at = __webpack_require__(127)(true);\n\n$export($export.P, 'String', {\n at: function at(pos) {\n return $at(this, pos);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.string.at.js\n// module id = 258\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.string.at.js?"); + +/***/ }), +/* 259 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://github.com/tc39/proposal-string-pad-start-end\nvar $export = __webpack_require__(8);\nvar $pad = __webpack_require__(260);\nvar userAgent = __webpack_require__(213);\n\n// https://github.com/zloirock/core-js/issues/280\n$export($export.P + $export.F * /Version\\/10\\.\\d+(\\.\\d+)? Safari\\//.test(userAgent), 'String', {\n padStart: function padStart(maxLength /* , fillString = ' ' */) {\n return $pad(this, maxLength, arguments.length > 1 ? arguments[1] : undefined, true);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.string.pad-start.js\n// module id = 259\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.string.pad-start.js?"); + +/***/ }), +/* 260 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/tc39/proposal-string-pad-start-end\nvar toLength = __webpack_require__(37);\nvar repeat = __webpack_require__(90);\nvar defined = __webpack_require__(35);\n\nmodule.exports = function (that, maxLength, fillString, left) {\n var S = String(defined(that));\n var stringLength = S.length;\n var fillStr = fillString === undefined ? ' ' : String(fillString);\n var intMaxLength = toLength(maxLength);\n if (intMaxLength <= stringLength || fillStr == '') return S;\n var fillLen = intMaxLength - stringLength;\n var stringFiller = repeat.call(fillStr, Math.ceil(fillLen / fillStr.length));\n if (stringFiller.length > fillLen) stringFiller = stringFiller.slice(0, fillLen);\n return left ? stringFiller + S : S + stringFiller;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_string-pad.js\n// module id = 260\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_string-pad.js?"); + +/***/ }), +/* 261 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://github.com/tc39/proposal-string-pad-start-end\nvar $export = __webpack_require__(8);\nvar $pad = __webpack_require__(260);\nvar userAgent = __webpack_require__(213);\n\n// https://github.com/zloirock/core-js/issues/280\n$export($export.P + $export.F * /Version\\/10\\.\\d+(\\.\\d+)? Safari\\//.test(userAgent), 'String', {\n padEnd: function padEnd(maxLength /* , fillString = ' ' */) {\n return $pad(this, maxLength, arguments.length > 1 ? arguments[1] : undefined, false);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.string.pad-end.js\n// module id = 261\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.string.pad-end.js?"); + +/***/ }), +/* 262 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://github.com/sebmarkbage/ecmascript-string-left-right-trim\n__webpack_require__(82)('trimLeft', function ($trim) {\n return function trimLeft() {\n return $trim(this, 1);\n };\n}, 'trimStart');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.string.trim-left.js\n// module id = 262\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.string.trim-left.js?"); + +/***/ }), +/* 263 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://github.com/sebmarkbage/ecmascript-string-left-right-trim\n__webpack_require__(82)('trimRight', function ($trim) {\n return function trimRight() {\n return $trim(this, 2);\n };\n}, 'trimEnd');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.string.trim-right.js\n// module id = 263\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.string.trim-right.js?"); + +/***/ }), +/* 264 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://tc39.github.io/String.prototype.matchAll/\nvar $export = __webpack_require__(8);\nvar defined = __webpack_require__(35);\nvar toLength = __webpack_require__(37);\nvar isRegExp = __webpack_require__(134);\nvar getFlags = __webpack_require__(197);\nvar RegExpProto = RegExp.prototype;\n\nvar $RegExpStringIterator = function (regexp, string) {\n this._r = regexp;\n this._s = string;\n};\n\n__webpack_require__(130)($RegExpStringIterator, 'RegExp String', function next() {\n var match = this._r.exec(this._s);\n return { value: match, done: match === null };\n});\n\n$export($export.P, 'String', {\n matchAll: function matchAll(regexp) {\n defined(this);\n if (!isRegExp(regexp)) throw TypeError(regexp + ' is not a regexp!');\n var S = String(this);\n var flags = 'flags' in RegExpProto ? String(regexp.flags) : getFlags.call(regexp);\n var rx = new RegExp(regexp.source, ~flags.indexOf('g') ? flags : 'g' + flags);\n rx.lastIndex = toLength(regexp.lastIndex);\n return new $RegExpStringIterator(rx, S);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.string.match-all.js\n// module id = 264\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.string.match-all.js?"); + +/***/ }), +/* 265 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(28)('asyncIterator');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.symbol.async-iterator.js\n// module id = 265\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.symbol.async-iterator.js?"); + +/***/ }), +/* 266 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(28)('observable');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.symbol.observable.js\n// module id = 266\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.symbol.observable.js?"); + +/***/ }), +/* 267 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/tc39/proposal-object-getownpropertydescriptors\nvar $export = __webpack_require__(8);\nvar ownKeys = __webpack_require__(250);\nvar toIObject = __webpack_require__(32);\nvar gOPD = __webpack_require__(50);\nvar createProperty = __webpack_require__(164);\n\n$export($export.S, 'Object', {\n getOwnPropertyDescriptors: function getOwnPropertyDescriptors(object) {\n var O = toIObject(object);\n var getDesc = gOPD.f;\n var keys = ownKeys(O);\n var result = {};\n var i = 0;\n var key, desc;\n while (keys.length > i) {\n desc = getDesc(O, key = keys[i++]);\n if (desc !== undefined) createProperty(result, key, desc);\n }\n return result;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.object.get-own-property-descriptors.js\n// module id = 267\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.object.get-own-property-descriptors.js?"); + +/***/ }), +/* 268 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/tc39/proposal-object-values-entries\nvar $export = __webpack_require__(8);\nvar $values = __webpack_require__(269)(false);\n\n$export($export.S, 'Object', {\n values: function values(it) {\n return $values(it);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.object.values.js\n// module id = 268\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.object.values.js?"); + +/***/ }), +/* 269 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var getKeys = __webpack_require__(30);\nvar toIObject = __webpack_require__(32);\nvar isEnum = __webpack_require__(43).f;\nmodule.exports = function (isEntries) {\n return function (it) {\n var O = toIObject(it);\n var keys = getKeys(O);\n var length = keys.length;\n var i = 0;\n var result = [];\n var key;\n while (length > i) if (isEnum.call(O, key = keys[i++])) {\n result.push(isEntries ? [key, O[key]] : O[key]);\n } return result;\n };\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-to-array.js\n// module id = 269\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-to-array.js?"); + +/***/ }), +/* 270 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/tc39/proposal-object-values-entries\nvar $export = __webpack_require__(8);\nvar $entries = __webpack_require__(269)(true);\n\n$export($export.S, 'Object', {\n entries: function entries(it) {\n return $entries(it);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.object.entries.js\n// module id = 270\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.object.entries.js?"); + +/***/ }), +/* 271 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar toObject = __webpack_require__(57);\nvar aFunction = __webpack_require__(21);\nvar $defineProperty = __webpack_require__(11);\n\n// B.2.2.2 Object.prototype.__defineGetter__(P, getter)\n__webpack_require__(6) && $export($export.P + __webpack_require__(272), 'Object', {\n __defineGetter__: function __defineGetter__(P, getter) {\n $defineProperty.f(toObject(this), P, { get: aFunction(getter), enumerable: true, configurable: true });\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.object.define-getter.js\n// module id = 271\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.object.define-getter.js?"); + +/***/ }), +/* 272 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// Forced replacement prototype accessors methods\nmodule.exports = __webpack_require__(24) || !__webpack_require__(7)(function () {\n var K = Math.random();\n // In FF throws only define methods\n // eslint-disable-next-line no-undef, no-useless-call\n __defineSetter__.call(null, K, function () { /* empty */ });\n delete __webpack_require__(4)[K];\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_object-forced-pam.js\n// module id = 272\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_object-forced-pam.js?"); + +/***/ }), +/* 273 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar toObject = __webpack_require__(57);\nvar aFunction = __webpack_require__(21);\nvar $defineProperty = __webpack_require__(11);\n\n// B.2.2.3 Object.prototype.__defineSetter__(P, setter)\n__webpack_require__(6) && $export($export.P + __webpack_require__(272), 'Object', {\n __defineSetter__: function __defineSetter__(P, setter) {\n $defineProperty.f(toObject(this), P, { set: aFunction(setter), enumerable: true, configurable: true });\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.object.define-setter.js\n// module id = 273\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.object.define-setter.js?"); + +/***/ }), +/* 274 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar toObject = __webpack_require__(57);\nvar toPrimitive = __webpack_require__(16);\nvar getPrototypeOf = __webpack_require__(58);\nvar getOwnPropertyDescriptor = __webpack_require__(50).f;\n\n// B.2.2.4 Object.prototype.__lookupGetter__(P)\n__webpack_require__(6) && $export($export.P + __webpack_require__(272), 'Object', {\n __lookupGetter__: function __lookupGetter__(P) {\n var O = toObject(this);\n var K = toPrimitive(P, true);\n var D;\n do {\n if (D = getOwnPropertyDescriptor(O, K)) return D.get;\n } while (O = getPrototypeOf(O));\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.object.lookup-getter.js\n// module id = 274\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.object.lookup-getter.js?"); + +/***/ }), +/* 275 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\nvar $export = __webpack_require__(8);\nvar toObject = __webpack_require__(57);\nvar toPrimitive = __webpack_require__(16);\nvar getPrototypeOf = __webpack_require__(58);\nvar getOwnPropertyDescriptor = __webpack_require__(50).f;\n\n// B.2.2.5 Object.prototype.__lookupSetter__(P)\n__webpack_require__(6) && $export($export.P + __webpack_require__(272), 'Object', {\n __lookupSetter__: function __lookupSetter__(P) {\n var O = toObject(this);\n var K = toPrimitive(P, true);\n var D;\n do {\n if (D = getOwnPropertyDescriptor(O, K)) return D.set;\n } while (O = getPrototypeOf(O));\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.object.lookup-setter.js\n// module id = 275\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.object.lookup-setter.js?"); + +/***/ }), +/* 276 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/DavidBruant/Map-Set.prototype.toJSON\nvar $export = __webpack_require__(8);\n\n$export($export.P + $export.R, 'Map', { toJSON: __webpack_require__(277)('Map') });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.map.to-json.js\n// module id = 276\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.map.to-json.js?"); + +/***/ }), +/* 277 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/DavidBruant/Map-Set.prototype.toJSON\nvar classof = __webpack_require__(74);\nvar from = __webpack_require__(278);\nmodule.exports = function (NAME) {\n return function toJSON() {\n if (classof(this) != NAME) throw TypeError(NAME + \"#toJSON isn't generic\");\n return from(this);\n };\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_collection-to-json.js\n// module id = 277\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_collection-to-json.js?"); + +/***/ }), +/* 278 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var forOf = __webpack_require__(207);\n\nmodule.exports = function (iter, ITERATOR) {\n var result = [];\n forOf(iter, false, result.push, result, ITERATOR);\n return result;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_array-from-iterable.js\n// module id = 278\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_array-from-iterable.js?"); + +/***/ }), +/* 279 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/DavidBruant/Map-Set.prototype.toJSON\nvar $export = __webpack_require__(8);\n\n$export($export.P + $export.R, 'Set', { toJSON: __webpack_require__(277)('Set') });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.set.to-json.js\n// module id = 279\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.set.to-json.js?"); + +/***/ }), +/* 280 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://tc39.github.io/proposal-setmap-offrom/#sec-map.of\n__webpack_require__(281)('Map');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.map.of.js\n// module id = 280\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.map.of.js?"); + +/***/ }), +/* 281 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://tc39.github.io/proposal-setmap-offrom/\nvar $export = __webpack_require__(8);\n\nmodule.exports = function (COLLECTION) {\n $export($export.S, COLLECTION, { of: function of() {\n var length = arguments.length;\n var A = new Array(length);\n while (length--) A[length] = arguments[length];\n return new this(A);\n } });\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_set-collection-of.js\n// module id = 281\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_set-collection-of.js?"); + +/***/ }), +/* 282 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://tc39.github.io/proposal-setmap-offrom/#sec-set.of\n__webpack_require__(281)('Set');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.set.of.js\n// module id = 282\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.set.of.js?"); + +/***/ }), +/* 283 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://tc39.github.io/proposal-setmap-offrom/#sec-weakmap.of\n__webpack_require__(281)('WeakMap');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.weak-map.of.js\n// module id = 283\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.weak-map.of.js?"); + +/***/ }), +/* 284 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://tc39.github.io/proposal-setmap-offrom/#sec-weakset.of\n__webpack_require__(281)('WeakSet');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.weak-set.of.js\n// module id = 284\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.weak-set.of.js?"); + +/***/ }), +/* 285 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://tc39.github.io/proposal-setmap-offrom/#sec-map.from\n__webpack_require__(286)('Map');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.map.from.js\n// module id = 285\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.map.from.js?"); + +/***/ }), +/* 286 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://tc39.github.io/proposal-setmap-offrom/\nvar $export = __webpack_require__(8);\nvar aFunction = __webpack_require__(21);\nvar ctx = __webpack_require__(20);\nvar forOf = __webpack_require__(207);\n\nmodule.exports = function (COLLECTION) {\n $export($export.S, COLLECTION, { from: function from(source /* , mapFn, thisArg */) {\n var mapFn = arguments[1];\n var mapping, A, n, cb;\n aFunction(this);\n mapping = mapFn !== undefined;\n if (mapping) aFunction(mapFn);\n if (source == undefined) return new this();\n A = [];\n if (mapping) {\n n = 0;\n cb = ctx(mapFn, arguments[2], 2);\n forOf(source, false, function (nextItem) {\n A.push(cb(nextItem, n++));\n });\n } else {\n forOf(source, false, A.push, A);\n }\n return new this(A);\n } });\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_set-collection-from.js\n// module id = 286\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_set-collection-from.js?"); + +/***/ }), +/* 287 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://tc39.github.io/proposal-setmap-offrom/#sec-set.from\n__webpack_require__(286)('Set');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.set.from.js\n// module id = 287\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.set.from.js?"); + +/***/ }), +/* 288 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://tc39.github.io/proposal-setmap-offrom/#sec-weakmap.from\n__webpack_require__(286)('WeakMap');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.weak-map.from.js\n// module id = 288\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.weak-map.from.js?"); + +/***/ }), +/* 289 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://tc39.github.io/proposal-setmap-offrom/#sec-weakset.from\n__webpack_require__(286)('WeakSet');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.weak-set.from.js\n// module id = 289\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.weak-set.from.js?"); + +/***/ }), +/* 290 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/tc39/proposal-global\nvar $export = __webpack_require__(8);\n\n$export($export.G, { global: __webpack_require__(4) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.global.js\n// module id = 290\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.global.js?"); + +/***/ }), +/* 291 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/tc39/proposal-global\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'System', { global: __webpack_require__(4) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.system.global.js\n// module id = 291\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.system.global.js?"); + +/***/ }), +/* 292 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/ljharb/proposal-is-error\nvar $export = __webpack_require__(8);\nvar cof = __webpack_require__(34);\n\n$export($export.S, 'Error', {\n isError: function isError(it) {\n return cof(it) === 'Error';\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.error.is-error.js\n// module id = 292\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.error.is-error.js?"); + +/***/ }), +/* 293 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://rwaldron.github.io/proposal-math-extensions/\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', {\n clamp: function clamp(x, lower, upper) {\n return Math.min(upper, Math.max(lower, x));\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.clamp.js\n// module id = 293\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.clamp.js?"); + +/***/ }), +/* 294 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://rwaldron.github.io/proposal-math-extensions/\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', { DEG_PER_RAD: Math.PI / 180 });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.deg-per-rad.js\n// module id = 294\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.deg-per-rad.js?"); + +/***/ }), +/* 295 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://rwaldron.github.io/proposal-math-extensions/\nvar $export = __webpack_require__(8);\nvar RAD_PER_DEG = 180 / Math.PI;\n\n$export($export.S, 'Math', {\n degrees: function degrees(radians) {\n return radians * RAD_PER_DEG;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.degrees.js\n// module id = 295\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.degrees.js?"); + +/***/ }), +/* 296 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://rwaldron.github.io/proposal-math-extensions/\nvar $export = __webpack_require__(8);\nvar scale = __webpack_require__(297);\nvar fround = __webpack_require__(113);\n\n$export($export.S, 'Math', {\n fscale: function fscale(x, inLow, inHigh, outLow, outHigh) {\n return fround(scale(x, inLow, inHigh, outLow, outHigh));\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.fscale.js\n// module id = 296\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.fscale.js?"); + +/***/ }), +/* 297 */ +/***/ (function(module, exports) { + + eval("// https://rwaldron.github.io/proposal-math-extensions/\nmodule.exports = Math.scale || function scale(x, inLow, inHigh, outLow, outHigh) {\n if (\n arguments.length === 0\n // eslint-disable-next-line no-self-compare\n || x != x\n // eslint-disable-next-line no-self-compare\n || inLow != inLow\n // eslint-disable-next-line no-self-compare\n || inHigh != inHigh\n // eslint-disable-next-line no-self-compare\n || outLow != outLow\n // eslint-disable-next-line no-self-compare\n || outHigh != outHigh\n ) return NaN;\n if (x === Infinity || x === -Infinity) return x;\n return (x - inLow) * (outHigh - outLow) / (inHigh - inLow) + outLow;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_math-scale.js\n// module id = 297\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_math-scale.js?"); + +/***/ }), +/* 298 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://gist.github.com/BrendanEich/4294d5c212a6d2254703\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', {\n iaddh: function iaddh(x0, x1, y0, y1) {\n var $x0 = x0 >>> 0;\n var $x1 = x1 >>> 0;\n var $y0 = y0 >>> 0;\n return $x1 + (y1 >>> 0) + (($x0 & $y0 | ($x0 | $y0) & ~($x0 + $y0 >>> 0)) >>> 31) | 0;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.iaddh.js\n// module id = 298\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.iaddh.js?"); + +/***/ }), +/* 299 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://gist.github.com/BrendanEich/4294d5c212a6d2254703\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', {\n isubh: function isubh(x0, x1, y0, y1) {\n var $x0 = x0 >>> 0;\n var $x1 = x1 >>> 0;\n var $y0 = y0 >>> 0;\n return $x1 - (y1 >>> 0) - ((~$x0 & $y0 | ~($x0 ^ $y0) & $x0 - $y0 >>> 0) >>> 31) | 0;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.isubh.js\n// module id = 299\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.isubh.js?"); + +/***/ }), +/* 300 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://gist.github.com/BrendanEich/4294d5c212a6d2254703\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', {\n imulh: function imulh(u, v) {\n var UINT16 = 0xffff;\n var $u = +u;\n var $v = +v;\n var u0 = $u & UINT16;\n var v0 = $v & UINT16;\n var u1 = $u >> 16;\n var v1 = $v >> 16;\n var t = (u1 * v0 >>> 0) + (u0 * v0 >>> 16);\n return u1 * v1 + (t >> 16) + ((u0 * v1 >>> 0) + (t & UINT16) >> 16);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.imulh.js\n// module id = 300\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.imulh.js?"); + +/***/ }), +/* 301 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://rwaldron.github.io/proposal-math-extensions/\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', { RAD_PER_DEG: 180 / Math.PI });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.rad-per-deg.js\n// module id = 301\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.rad-per-deg.js?"); + +/***/ }), +/* 302 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://rwaldron.github.io/proposal-math-extensions/\nvar $export = __webpack_require__(8);\nvar DEG_PER_RAD = Math.PI / 180;\n\n$export($export.S, 'Math', {\n radians: function radians(degrees) {\n return degrees * DEG_PER_RAD;\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.radians.js\n// module id = 302\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.radians.js?"); + +/***/ }), +/* 303 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://rwaldron.github.io/proposal-math-extensions/\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', { scale: __webpack_require__(297) });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.scale.js\n// module id = 303\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.scale.js?"); + +/***/ }), +/* 304 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://gist.github.com/BrendanEich/4294d5c212a6d2254703\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', {\n umulh: function umulh(u, v) {\n var UINT16 = 0xffff;\n var $u = +u;\n var $v = +v;\n var u0 = $u & UINT16;\n var v0 = $v & UINT16;\n var u1 = $u >>> 16;\n var v1 = $v >>> 16;\n var t = (u1 * v0 >>> 0) + (u0 * v0 >>> 16);\n return u1 * v1 + (t >>> 16) + ((u0 * v1 >>> 0) + (t & UINT16) >>> 16);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.umulh.js\n// module id = 304\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.umulh.js?"); + +/***/ }), +/* 305 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// http://jfbastien.github.io/papers/Math.signbit.html\nvar $export = __webpack_require__(8);\n\n$export($export.S, 'Math', { signbit: function signbit(x) {\n // eslint-disable-next-line no-self-compare\n return (x = +x) != x ? x : x == 0 ? 1 / x == Infinity : x > 0;\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.math.signbit.js\n// module id = 305\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.math.signbit.js?"); + +/***/ }), +/* 306 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/tc39/proposal-promise-finally\n'use strict';\nvar $export = __webpack_require__(8);\nvar core = __webpack_require__(9);\nvar global = __webpack_require__(4);\nvar speciesConstructor = __webpack_require__(208);\nvar promiseResolve = __webpack_require__(214);\n\n$export($export.P + $export.R, 'Promise', { 'finally': function (onFinally) {\n var C = speciesConstructor(this, core.Promise || global.Promise);\n var isFunction = typeof onFinally == 'function';\n return this.then(\n isFunction ? function (x) {\n return promiseResolve(C, onFinally()).then(function () { return x; });\n } : onFinally,\n isFunction ? function (e) {\n return promiseResolve(C, onFinally()).then(function () { throw e; });\n } : onFinally\n );\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.promise.finally.js\n// module id = 306\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.promise.finally.js?"); + +/***/ }), +/* 307 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://github.com/tc39/proposal-promise-try\nvar $export = __webpack_require__(8);\nvar newPromiseCapability = __webpack_require__(211);\nvar perform = __webpack_require__(212);\n\n$export($export.S, 'Promise', { 'try': function (callbackfn) {\n var promiseCapability = newPromiseCapability.f(this);\n var result = perform(callbackfn);\n (result.e ? promiseCapability.reject : promiseCapability.resolve)(result.v);\n return promiseCapability.promise;\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.promise.try.js\n// module id = 307\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.promise.try.js?"); + +/***/ }), +/* 308 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var metadata = __webpack_require__(309);\nvar anObject = __webpack_require__(12);\nvar toMetaKey = metadata.key;\nvar ordinaryDefineOwnMetadata = metadata.set;\n\nmetadata.exp({ defineMetadata: function defineMetadata(metadataKey, metadataValue, target, targetKey) {\n ordinaryDefineOwnMetadata(metadataKey, metadataValue, anObject(target), toMetaKey(targetKey));\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.reflect.define-metadata.js\n// module id = 308\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.reflect.define-metadata.js?"); + +/***/ }), +/* 309 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var Map = __webpack_require__(216);\nvar $export = __webpack_require__(8);\nvar shared = __webpack_require__(23)('metadata');\nvar store = shared.store || (shared.store = new (__webpack_require__(221))());\n\nvar getOrCreateMetadataMap = function (target, targetKey, create) {\n var targetMetadata = store.get(target);\n if (!targetMetadata) {\n if (!create) return undefined;\n store.set(target, targetMetadata = new Map());\n }\n var keyMetadata = targetMetadata.get(targetKey);\n if (!keyMetadata) {\n if (!create) return undefined;\n targetMetadata.set(targetKey, keyMetadata = new Map());\n } return keyMetadata;\n};\nvar ordinaryHasOwnMetadata = function (MetadataKey, O, P) {\n var metadataMap = getOrCreateMetadataMap(O, P, false);\n return metadataMap === undefined ? false : metadataMap.has(MetadataKey);\n};\nvar ordinaryGetOwnMetadata = function (MetadataKey, O, P) {\n var metadataMap = getOrCreateMetadataMap(O, P, false);\n return metadataMap === undefined ? undefined : metadataMap.get(MetadataKey);\n};\nvar ordinaryDefineOwnMetadata = function (MetadataKey, MetadataValue, O, P) {\n getOrCreateMetadataMap(O, P, true).set(MetadataKey, MetadataValue);\n};\nvar ordinaryOwnMetadataKeys = function (target, targetKey) {\n var metadataMap = getOrCreateMetadataMap(target, targetKey, false);\n var keys = [];\n if (metadataMap) metadataMap.forEach(function (_, key) { keys.push(key); });\n return keys;\n};\nvar toMetaKey = function (it) {\n return it === undefined || typeof it == 'symbol' ? it : String(it);\n};\nvar exp = function (O) {\n $export($export.S, 'Reflect', O);\n};\n\nmodule.exports = {\n store: store,\n map: getOrCreateMetadataMap,\n has: ordinaryHasOwnMetadata,\n get: ordinaryGetOwnMetadata,\n set: ordinaryDefineOwnMetadata,\n keys: ordinaryOwnMetadataKeys,\n key: toMetaKey,\n exp: exp\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_metadata.js\n// module id = 309\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_metadata.js?"); + +/***/ }), +/* 310 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var metadata = __webpack_require__(309);\nvar anObject = __webpack_require__(12);\nvar toMetaKey = metadata.key;\nvar getOrCreateMetadataMap = metadata.map;\nvar store = metadata.store;\n\nmetadata.exp({ deleteMetadata: function deleteMetadata(metadataKey, target /* , targetKey */) {\n var targetKey = arguments.length < 3 ? undefined : toMetaKey(arguments[2]);\n var metadataMap = getOrCreateMetadataMap(anObject(target), targetKey, false);\n if (metadataMap === undefined || !metadataMap['delete'](metadataKey)) return false;\n if (metadataMap.size) return true;\n var targetMetadata = store.get(target);\n targetMetadata['delete'](targetKey);\n return !!targetMetadata.size || store['delete'](target);\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.reflect.delete-metadata.js\n// module id = 310\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.reflect.delete-metadata.js?"); + +/***/ }), +/* 311 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var metadata = __webpack_require__(309);\nvar anObject = __webpack_require__(12);\nvar getPrototypeOf = __webpack_require__(58);\nvar ordinaryHasOwnMetadata = metadata.has;\nvar ordinaryGetOwnMetadata = metadata.get;\nvar toMetaKey = metadata.key;\n\nvar ordinaryGetMetadata = function (MetadataKey, O, P) {\n var hasOwn = ordinaryHasOwnMetadata(MetadataKey, O, P);\n if (hasOwn) return ordinaryGetOwnMetadata(MetadataKey, O, P);\n var parent = getPrototypeOf(O);\n return parent !== null ? ordinaryGetMetadata(MetadataKey, parent, P) : undefined;\n};\n\nmetadata.exp({ getMetadata: function getMetadata(metadataKey, target /* , targetKey */) {\n return ordinaryGetMetadata(metadataKey, anObject(target), arguments.length < 3 ? undefined : toMetaKey(arguments[2]));\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.reflect.get-metadata.js\n// module id = 311\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.reflect.get-metadata.js?"); + +/***/ }), +/* 312 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var Set = __webpack_require__(220);\nvar from = __webpack_require__(278);\nvar metadata = __webpack_require__(309);\nvar anObject = __webpack_require__(12);\nvar getPrototypeOf = __webpack_require__(58);\nvar ordinaryOwnMetadataKeys = metadata.keys;\nvar toMetaKey = metadata.key;\n\nvar ordinaryMetadataKeys = function (O, P) {\n var oKeys = ordinaryOwnMetadataKeys(O, P);\n var parent = getPrototypeOf(O);\n if (parent === null) return oKeys;\n var pKeys = ordinaryMetadataKeys(parent, P);\n return pKeys.length ? oKeys.length ? from(new Set(oKeys.concat(pKeys))) : pKeys : oKeys;\n};\n\nmetadata.exp({ getMetadataKeys: function getMetadataKeys(target /* , targetKey */) {\n return ordinaryMetadataKeys(anObject(target), arguments.length < 2 ? undefined : toMetaKey(arguments[1]));\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.reflect.get-metadata-keys.js\n// module id = 312\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.reflect.get-metadata-keys.js?"); + +/***/ }), +/* 313 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var metadata = __webpack_require__(309);\nvar anObject = __webpack_require__(12);\nvar ordinaryGetOwnMetadata = metadata.get;\nvar toMetaKey = metadata.key;\n\nmetadata.exp({ getOwnMetadata: function getOwnMetadata(metadataKey, target /* , targetKey */) {\n return ordinaryGetOwnMetadata(metadataKey, anObject(target)\n , arguments.length < 3 ? undefined : toMetaKey(arguments[2]));\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.reflect.get-own-metadata.js\n// module id = 313\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.reflect.get-own-metadata.js?"); + +/***/ }), +/* 314 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var metadata = __webpack_require__(309);\nvar anObject = __webpack_require__(12);\nvar ordinaryOwnMetadataKeys = metadata.keys;\nvar toMetaKey = metadata.key;\n\nmetadata.exp({ getOwnMetadataKeys: function getOwnMetadataKeys(target /* , targetKey */) {\n return ordinaryOwnMetadataKeys(anObject(target), arguments.length < 2 ? undefined : toMetaKey(arguments[1]));\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.reflect.get-own-metadata-keys.js\n// module id = 314\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.reflect.get-own-metadata-keys.js?"); + +/***/ }), +/* 315 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var metadata = __webpack_require__(309);\nvar anObject = __webpack_require__(12);\nvar getPrototypeOf = __webpack_require__(58);\nvar ordinaryHasOwnMetadata = metadata.has;\nvar toMetaKey = metadata.key;\n\nvar ordinaryHasMetadata = function (MetadataKey, O, P) {\n var hasOwn = ordinaryHasOwnMetadata(MetadataKey, O, P);\n if (hasOwn) return true;\n var parent = getPrototypeOf(O);\n return parent !== null ? ordinaryHasMetadata(MetadataKey, parent, P) : false;\n};\n\nmetadata.exp({ hasMetadata: function hasMetadata(metadataKey, target /* , targetKey */) {\n return ordinaryHasMetadata(metadataKey, anObject(target), arguments.length < 3 ? undefined : toMetaKey(arguments[2]));\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.reflect.has-metadata.js\n// module id = 315\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.reflect.has-metadata.js?"); + +/***/ }), +/* 316 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var metadata = __webpack_require__(309);\nvar anObject = __webpack_require__(12);\nvar ordinaryHasOwnMetadata = metadata.has;\nvar toMetaKey = metadata.key;\n\nmetadata.exp({ hasOwnMetadata: function hasOwnMetadata(metadataKey, target /* , targetKey */) {\n return ordinaryHasOwnMetadata(metadataKey, anObject(target)\n , arguments.length < 3 ? undefined : toMetaKey(arguments[2]));\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.reflect.has-own-metadata.js\n// module id = 316\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.reflect.has-own-metadata.js?"); + +/***/ }), +/* 317 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $metadata = __webpack_require__(309);\nvar anObject = __webpack_require__(12);\nvar aFunction = __webpack_require__(21);\nvar toMetaKey = $metadata.key;\nvar ordinaryDefineOwnMetadata = $metadata.set;\n\n$metadata.exp({ metadata: function metadata(metadataKey, metadataValue) {\n return function decorator(target, targetKey) {\n ordinaryDefineOwnMetadata(\n metadataKey, metadataValue,\n (targetKey !== undefined ? anObject : aFunction)(target),\n toMetaKey(targetKey)\n );\n };\n} });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.reflect.metadata.js\n// module id = 317\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.reflect.metadata.js?"); + +/***/ }), +/* 318 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/rwaldron/tc39-notes/blob/master/es6/2014-09/sept-25.md#510-globalasap-for-enqueuing-a-microtask\nvar $export = __webpack_require__(8);\nvar microtask = __webpack_require__(210)();\nvar process = __webpack_require__(4).process;\nvar isNode = __webpack_require__(34)(process) == 'process';\n\n$export($export.G, {\n asap: function asap(fn) {\n var domain = isNode && process.domain;\n microtask(domain ? domain.bind(fn) : fn);\n }\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.asap.js\n// module id = 318\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.asap.js?"); + +/***/ }), +/* 319 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n// https://github.com/zenparsing/es-observable\nvar $export = __webpack_require__(8);\nvar global = __webpack_require__(4);\nvar core = __webpack_require__(9);\nvar microtask = __webpack_require__(210)();\nvar OBSERVABLE = __webpack_require__(26)('observable');\nvar aFunction = __webpack_require__(21);\nvar anObject = __webpack_require__(12);\nvar anInstance = __webpack_require__(206);\nvar redefineAll = __webpack_require__(215);\nvar hide = __webpack_require__(10);\nvar forOf = __webpack_require__(207);\nvar RETURN = forOf.RETURN;\n\nvar getMethod = function (fn) {\n return fn == null ? undefined : aFunction(fn);\n};\n\nvar cleanupSubscription = function (subscription) {\n var cleanup = subscription._c;\n if (cleanup) {\n subscription._c = undefined;\n cleanup();\n }\n};\n\nvar subscriptionClosed = function (subscription) {\n return subscription._o === undefined;\n};\n\nvar closeSubscription = function (subscription) {\n if (!subscriptionClosed(subscription)) {\n subscription._o = undefined;\n cleanupSubscription(subscription);\n }\n};\n\nvar Subscription = function (observer, subscriber) {\n anObject(observer);\n this._c = undefined;\n this._o = observer;\n observer = new SubscriptionObserver(this);\n try {\n var cleanup = subscriber(observer);\n var subscription = cleanup;\n if (cleanup != null) {\n if (typeof cleanup.unsubscribe === 'function') cleanup = function () { subscription.unsubscribe(); };\n else aFunction(cleanup);\n this._c = cleanup;\n }\n } catch (e) {\n observer.error(e);\n return;\n } if (subscriptionClosed(this)) cleanupSubscription(this);\n};\n\nSubscription.prototype = redefineAll({}, {\n unsubscribe: function unsubscribe() { closeSubscription(this); }\n});\n\nvar SubscriptionObserver = function (subscription) {\n this._s = subscription;\n};\n\nSubscriptionObserver.prototype = redefineAll({}, {\n next: function next(value) {\n var subscription = this._s;\n if (!subscriptionClosed(subscription)) {\n var observer = subscription._o;\n try {\n var m = getMethod(observer.next);\n if (m) return m.call(observer, value);\n } catch (e) {\n try {\n closeSubscription(subscription);\n } finally {\n throw e;\n }\n }\n }\n },\n error: function error(value) {\n var subscription = this._s;\n if (subscriptionClosed(subscription)) throw value;\n var observer = subscription._o;\n subscription._o = undefined;\n try {\n var m = getMethod(observer.error);\n if (!m) throw value;\n value = m.call(observer, value);\n } catch (e) {\n try {\n cleanupSubscription(subscription);\n } finally {\n throw e;\n }\n } cleanupSubscription(subscription);\n return value;\n },\n complete: function complete(value) {\n var subscription = this._s;\n if (!subscriptionClosed(subscription)) {\n var observer = subscription._o;\n subscription._o = undefined;\n try {\n var m = getMethod(observer.complete);\n value = m ? m.call(observer, value) : undefined;\n } catch (e) {\n try {\n cleanupSubscription(subscription);\n } finally {\n throw e;\n }\n } cleanupSubscription(subscription);\n return value;\n }\n }\n});\n\nvar $Observable = function Observable(subscriber) {\n anInstance(this, $Observable, 'Observable', '_f')._f = aFunction(subscriber);\n};\n\nredefineAll($Observable.prototype, {\n subscribe: function subscribe(observer) {\n return new Subscription(observer, this._f);\n },\n forEach: function forEach(fn) {\n var that = this;\n return new (core.Promise || global.Promise)(function (resolve, reject) {\n aFunction(fn);\n var subscription = that.subscribe({\n next: function (value) {\n try {\n return fn(value);\n } catch (e) {\n reject(e);\n subscription.unsubscribe();\n }\n },\n error: reject,\n complete: resolve\n });\n });\n }\n});\n\nredefineAll($Observable, {\n from: function from(x) {\n var C = typeof this === 'function' ? this : $Observable;\n var method = getMethod(anObject(x)[OBSERVABLE]);\n if (method) {\n var observable = anObject(method.call(x));\n return observable.constructor === C ? observable : new C(function (observer) {\n return observable.subscribe(observer);\n });\n }\n return new C(function (observer) {\n var done = false;\n microtask(function () {\n if (!done) {\n try {\n if (forOf(x, false, function (it) {\n observer.next(it);\n if (done) return RETURN;\n }) === RETURN) return;\n } catch (e) {\n if (done) throw e;\n observer.error(e);\n return;\n } observer.complete();\n }\n });\n return function () { done = true; };\n });\n },\n of: function of() {\n for (var i = 0, l = arguments.length, items = new Array(l); i < l;) items[i] = arguments[i++];\n return new (typeof this === 'function' ? this : $Observable)(function (observer) {\n var done = false;\n microtask(function () {\n if (!done) {\n for (var j = 0; j < items.length; ++j) {\n observer.next(items[j]);\n if (done) return;\n } observer.complete();\n }\n });\n return function () { done = true; };\n });\n }\n});\n\nhide($Observable.prototype, OBSERVABLE, function () { return this; });\n\n$export($export.G, { Observable: $Observable });\n\n__webpack_require__(193)('Observable');\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/es7.observable.js\n// module id = 319\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/es7.observable.js?"); + +/***/ }), +/* 320 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// ie9- setTimeout & setInterval additional parameters fix\nvar global = __webpack_require__(4);\nvar $export = __webpack_require__(8);\nvar userAgent = __webpack_require__(213);\nvar slice = [].slice;\nvar MSIE = /MSIE .\\./.test(userAgent); // <- dirty ie9- check\nvar wrap = function (set) {\n return function (fn, time /* , ...args */) {\n var boundArgs = arguments.length > 2;\n var args = boundArgs ? slice.call(arguments, 2) : false;\n return set(boundArgs ? function () {\n // eslint-disable-next-line no-new-func\n (typeof fn == 'function' ? fn : Function(fn)).apply(this, args);\n } : fn, time);\n };\n};\n$export($export.G + $export.B + $export.F * MSIE, {\n setTimeout: wrap(global.setTimeout),\n setInterval: wrap(global.setInterval)\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/web.timers.js\n// module id = 320\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/web.timers.js?"); + +/***/ }), +/* 321 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $export = __webpack_require__(8);\nvar $task = __webpack_require__(209);\n$export($export.G + $export.B, {\n setImmediate: $task.set,\n clearImmediate: $task.clear\n});\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/web.immediate.js\n// module id = 321\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/web.immediate.js?"); + +/***/ }), +/* 322 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("var $iterators = __webpack_require__(194);\nvar getKeys = __webpack_require__(30);\nvar redefine = __webpack_require__(18);\nvar global = __webpack_require__(4);\nvar hide = __webpack_require__(10);\nvar Iterators = __webpack_require__(129);\nvar wks = __webpack_require__(26);\nvar ITERATOR = wks('iterator');\nvar TO_STRING_TAG = wks('toStringTag');\nvar ArrayValues = Iterators.Array;\n\nvar DOMIterables = {\n CSSRuleList: true, // TODO: Not spec compliant, should be false.\n CSSStyleDeclaration: false,\n CSSValueList: false,\n ClientRectList: false,\n DOMRectList: false,\n DOMStringList: false,\n DOMTokenList: true,\n DataTransferItemList: false,\n FileList: false,\n HTMLAllCollection: false,\n HTMLCollection: false,\n HTMLFormElement: false,\n HTMLSelectElement: false,\n MediaList: true, // TODO: Not spec compliant, should be false.\n MimeTypeArray: false,\n NamedNodeMap: false,\n NodeList: true,\n PaintRequestList: false,\n Plugin: false,\n PluginArray: false,\n SVGLengthList: false,\n SVGNumberList: false,\n SVGPathSegList: false,\n SVGPointList: false,\n SVGStringList: false,\n SVGTransformList: false,\n SourceBufferList: false,\n StyleSheetList: true, // TODO: Not spec compliant, should be false.\n TextTrackCueList: false,\n TextTrackList: false,\n TouchList: false\n};\n\nfor (var collections = getKeys(DOMIterables), i = 0; i < collections.length; i++) {\n var NAME = collections[i];\n var explicit = DOMIterables[NAME];\n var Collection = global[NAME];\n var proto = Collection && Collection.prototype;\n var key;\n if (proto) {\n if (!proto[ITERATOR]) hide(proto, ITERATOR, ArrayValues);\n if (!proto[TO_STRING_TAG]) hide(proto, TO_STRING_TAG, NAME);\n Iterators[NAME] = ArrayValues;\n if (explicit) for (key in $iterators) if (!proto[key]) redefine(proto, key, $iterators[key], true);\n }\n}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/web.dom.iterable.js\n// module id = 322\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/web.dom.iterable.js?"); + +/***/ }), +/* 323 */ +/***/ (function(module, exports) { + + eval("/* WEBPACK VAR INJECTION */(function(global) {/**\n * Copyright (c) 2014, Facebook, Inc.\n * All rights reserved.\n *\n * This source code is licensed under the BSD-style license found in the\n * https://raw.github.com/facebook/regenerator/master/LICENSE file. An\n * additional grant of patent rights can be found in the PATENTS file in\n * the same directory.\n */\n\n!(function(global) {\n \"use strict\";\n\n var Op = Object.prototype;\n var hasOwn = Op.hasOwnProperty;\n var undefined; // More compressible than void 0.\n var $Symbol = typeof Symbol === \"function\" ? Symbol : {};\n var iteratorSymbol = $Symbol.iterator || \"@@iterator\";\n var asyncIteratorSymbol = $Symbol.asyncIterator || \"@@asyncIterator\";\n var toStringTagSymbol = $Symbol.toStringTag || \"@@toStringTag\";\n\n var inModule = typeof module === \"object\";\n var runtime = global.regeneratorRuntime;\n if (runtime) {\n if (inModule) {\n // If regeneratorRuntime is defined globally and we're in a module,\n // make the exports object identical to regeneratorRuntime.\n module.exports = runtime;\n }\n // Don't bother evaluating the rest of this file if the runtime was\n // already defined globally.\n return;\n }\n\n // Define the runtime globally (as expected by generated code) as either\n // module.exports (if we're in a module) or a new, empty object.\n runtime = global.regeneratorRuntime = inModule ? module.exports : {};\n\n function wrap(innerFn, outerFn, self, tryLocsList) {\n // If outerFn provided and outerFn.prototype is a Generator, then outerFn.prototype instanceof Generator.\n var protoGenerator = outerFn && outerFn.prototype instanceof Generator ? outerFn : Generator;\n var generator = Object.create(protoGenerator.prototype);\n var context = new Context(tryLocsList || []);\n\n // The ._invoke method unifies the implementations of the .next,\n // .throw, and .return methods.\n generator._invoke = makeInvokeMethod(innerFn, self, context);\n\n return generator;\n }\n runtime.wrap = wrap;\n\n // Try/catch helper to minimize deoptimizations. Returns a completion\n // record like context.tryEntries[i].completion. This interface could\n // have been (and was previously) designed to take a closure to be\n // invoked without arguments, but in all the cases we care about we\n // already have an existing method we want to call, so there's no need\n // to create a new function object. We can even get away with assuming\n // the method takes exactly one argument, since that happens to be true\n // in every case, so we don't have to touch the arguments object. The\n // only additional allocation required is the completion record, which\n // has a stable shape and so hopefully should be cheap to allocate.\n function tryCatch(fn, obj, arg) {\n try {\n return { type: \"normal\", arg: fn.call(obj, arg) };\n } catch (err) {\n return { type: \"throw\", arg: err };\n }\n }\n\n var GenStateSuspendedStart = \"suspendedStart\";\n var GenStateSuspendedYield = \"suspendedYield\";\n var GenStateExecuting = \"executing\";\n var GenStateCompleted = \"completed\";\n\n // Returning this object from the innerFn has the same effect as\n // breaking out of the dispatch switch statement.\n var ContinueSentinel = {};\n\n // Dummy constructor functions that we use as the .constructor and\n // .constructor.prototype properties for functions that return Generator\n // objects. For full spec compliance, you may wish to configure your\n // minifier not to mangle the names of these two functions.\n function Generator() {}\n function GeneratorFunction() {}\n function GeneratorFunctionPrototype() {}\n\n // This is a polyfill for %IteratorPrototype% for environments that\n // don't natively support it.\n var IteratorPrototype = {};\n IteratorPrototype[iteratorSymbol] = function () {\n return this;\n };\n\n var getProto = Object.getPrototypeOf;\n var NativeIteratorPrototype = getProto && getProto(getProto(values([])));\n if (NativeIteratorPrototype &&\n NativeIteratorPrototype !== Op &&\n hasOwn.call(NativeIteratorPrototype, iteratorSymbol)) {\n // This environment has a native %IteratorPrototype%; use it instead\n // of the polyfill.\n IteratorPrototype = NativeIteratorPrototype;\n }\n\n var Gp = GeneratorFunctionPrototype.prototype =\n Generator.prototype = Object.create(IteratorPrototype);\n GeneratorFunction.prototype = Gp.constructor = GeneratorFunctionPrototype;\n GeneratorFunctionPrototype.constructor = GeneratorFunction;\n GeneratorFunctionPrototype[toStringTagSymbol] =\n GeneratorFunction.displayName = \"GeneratorFunction\";\n\n // Helper for defining the .next, .throw, and .return methods of the\n // Iterator interface in terms of a single ._invoke method.\n function defineIteratorMethods(prototype) {\n [\"next\", \"throw\", \"return\"].forEach(function(method) {\n prototype[method] = function(arg) {\n return this._invoke(method, arg);\n };\n });\n }\n\n runtime.isGeneratorFunction = function(genFun) {\n var ctor = typeof genFun === \"function\" && genFun.constructor;\n return ctor\n ? ctor === GeneratorFunction ||\n // For the native GeneratorFunction constructor, the best we can\n // do is to check its .name property.\n (ctor.displayName || ctor.name) === \"GeneratorFunction\"\n : false;\n };\n\n runtime.mark = function(genFun) {\n if (Object.setPrototypeOf) {\n Object.setPrototypeOf(genFun, GeneratorFunctionPrototype);\n } else {\n genFun.__proto__ = GeneratorFunctionPrototype;\n if (!(toStringTagSymbol in genFun)) {\n genFun[toStringTagSymbol] = \"GeneratorFunction\";\n }\n }\n genFun.prototype = Object.create(Gp);\n return genFun;\n };\n\n // Within the body of any async function, `await x` is transformed to\n // `yield regeneratorRuntime.awrap(x)`, so that the runtime can test\n // `hasOwn.call(value, \"__await\")` to determine if the yielded value is\n // meant to be awaited.\n runtime.awrap = function(arg) {\n return { __await: arg };\n };\n\n function AsyncIterator(generator) {\n function invoke(method, arg, resolve, reject) {\n var record = tryCatch(generator[method], generator, arg);\n if (record.type === \"throw\") {\n reject(record.arg);\n } else {\n var result = record.arg;\n var value = result.value;\n if (value &&\n typeof value === \"object\" &&\n hasOwn.call(value, \"__await\")) {\n return Promise.resolve(value.__await).then(function(value) {\n invoke(\"next\", value, resolve, reject);\n }, function(err) {\n invoke(\"throw\", err, resolve, reject);\n });\n }\n\n return Promise.resolve(value).then(function(unwrapped) {\n // When a yielded Promise is resolved, its final value becomes\n // the .value of the Promise<{value,done}> result for the\n // current iteration. If the Promise is rejected, however, the\n // result for this iteration will be rejected with the same\n // reason. Note that rejections of yielded Promises are not\n // thrown back into the generator function, as is the case\n // when an awaited Promise is rejected. This difference in\n // behavior between yield and await is important, because it\n // allows the consumer to decide what to do with the yielded\n // rejection (swallow it and continue, manually .throw it back\n // into the generator, abandon iteration, whatever). With\n // await, by contrast, there is no opportunity to examine the\n // rejection reason outside the generator function, so the\n // only option is to throw it from the await expression, and\n // let the generator function handle the exception.\n result.value = unwrapped;\n resolve(result);\n }, reject);\n }\n }\n\n if (typeof global.process === \"object\" && global.process.domain) {\n invoke = global.process.domain.bind(invoke);\n }\n\n var previousPromise;\n\n function enqueue(method, arg) {\n function callInvokeWithMethodAndArg() {\n return new Promise(function(resolve, reject) {\n invoke(method, arg, resolve, reject);\n });\n }\n\n return previousPromise =\n // If enqueue has been called before, then we want to wait until\n // all previous Promises have been resolved before calling invoke,\n // so that results are always delivered in the correct order. If\n // enqueue has not been called before, then it is important to\n // call invoke immediately, without waiting on a callback to fire,\n // so that the async generator function has the opportunity to do\n // any necessary setup in a predictable way. This predictability\n // is why the Promise constructor synchronously invokes its\n // executor callback, and why async functions synchronously\n // execute code before the first await. Since we implement simple\n // async functions in terms of async generators, it is especially\n // important to get this right, even though it requires care.\n previousPromise ? previousPromise.then(\n callInvokeWithMethodAndArg,\n // Avoid propagating failures to Promises returned by later\n // invocations of the iterator.\n callInvokeWithMethodAndArg\n ) : callInvokeWithMethodAndArg();\n }\n\n // Define the unified helper method that is used to implement .next,\n // .throw, and .return (see defineIteratorMethods).\n this._invoke = enqueue;\n }\n\n defineIteratorMethods(AsyncIterator.prototype);\n AsyncIterator.prototype[asyncIteratorSymbol] = function () {\n return this;\n };\n runtime.AsyncIterator = AsyncIterator;\n\n // Note that simple async functions are implemented on top of\n // AsyncIterator objects; they just return a Promise for the value of\n // the final result produced by the iterator.\n runtime.async = function(innerFn, outerFn, self, tryLocsList) {\n var iter = new AsyncIterator(\n wrap(innerFn, outerFn, self, tryLocsList)\n );\n\n return runtime.isGeneratorFunction(outerFn)\n ? iter // If outerFn is a generator, return the full iterator.\n : iter.next().then(function(result) {\n return result.done ? result.value : iter.next();\n });\n };\n\n function makeInvokeMethod(innerFn, self, context) {\n var state = GenStateSuspendedStart;\n\n return function invoke(method, arg) {\n if (state === GenStateExecuting) {\n throw new Error(\"Generator is already running\");\n }\n\n if (state === GenStateCompleted) {\n if (method === \"throw\") {\n throw arg;\n }\n\n // Be forgiving, per 25.3.3.3.3 of the spec:\n // https://people.mozilla.org/~jorendorff/es6-draft.html#sec-generatorresume\n return doneResult();\n }\n\n context.method = method;\n context.arg = arg;\n\n while (true) {\n var delegate = context.delegate;\n if (delegate) {\n var delegateResult = maybeInvokeDelegate(delegate, context);\n if (delegateResult) {\n if (delegateResult === ContinueSentinel) continue;\n return delegateResult;\n }\n }\n\n if (context.method === \"next\") {\n // Setting context._sent for legacy support of Babel's\n // function.sent implementation.\n context.sent = context._sent = context.arg;\n\n } else if (context.method === \"throw\") {\n if (state === GenStateSuspendedStart) {\n state = GenStateCompleted;\n throw context.arg;\n }\n\n context.dispatchException(context.arg);\n\n } else if (context.method === \"return\") {\n context.abrupt(\"return\", context.arg);\n }\n\n state = GenStateExecuting;\n\n var record = tryCatch(innerFn, self, context);\n if (record.type === \"normal\") {\n // If an exception is thrown from innerFn, we leave state ===\n // GenStateExecuting and loop back for another invocation.\n state = context.done\n ? GenStateCompleted\n : GenStateSuspendedYield;\n\n if (record.arg === ContinueSentinel) {\n continue;\n }\n\n return {\n value: record.arg,\n done: context.done\n };\n\n } else if (record.type === \"throw\") {\n state = GenStateCompleted;\n // Dispatch the exception by looping back around to the\n // context.dispatchException(context.arg) call above.\n context.method = \"throw\";\n context.arg = record.arg;\n }\n }\n };\n }\n\n // Call delegate.iterator[context.method](context.arg) and handle the\n // result, either by returning a { value, done } result from the\n // delegate iterator, or by modifying context.method and context.arg,\n // setting context.delegate to null, and returning the ContinueSentinel.\n function maybeInvokeDelegate(delegate, context) {\n var method = delegate.iterator[context.method];\n if (method === undefined) {\n // A .throw or .return when the delegate iterator has no .throw\n // method always terminates the yield* loop.\n context.delegate = null;\n\n if (context.method === \"throw\") {\n if (delegate.iterator.return) {\n // If the delegate iterator has a return method, give it a\n // chance to clean up.\n context.method = \"return\";\n context.arg = undefined;\n maybeInvokeDelegate(delegate, context);\n\n if (context.method === \"throw\") {\n // If maybeInvokeDelegate(context) changed context.method from\n // \"return\" to \"throw\", let that override the TypeError below.\n return ContinueSentinel;\n }\n }\n\n context.method = \"throw\";\n context.arg = new TypeError(\n \"The iterator does not provide a 'throw' method\");\n }\n\n return ContinueSentinel;\n }\n\n var record = tryCatch(method, delegate.iterator, context.arg);\n\n if (record.type === \"throw\") {\n context.method = \"throw\";\n context.arg = record.arg;\n context.delegate = null;\n return ContinueSentinel;\n }\n\n var info = record.arg;\n\n if (! info) {\n context.method = \"throw\";\n context.arg = new TypeError(\"iterator result is not an object\");\n context.delegate = null;\n return ContinueSentinel;\n }\n\n if (info.done) {\n // Assign the result of the finished delegate to the temporary\n // variable specified by delegate.resultName (see delegateYield).\n context[delegate.resultName] = info.value;\n\n // Resume execution at the desired location (see delegateYield).\n context.next = delegate.nextLoc;\n\n // If context.method was \"throw\" but the delegate handled the\n // exception, let the outer generator proceed normally. If\n // context.method was \"next\", forget context.arg since it has been\n // \"consumed\" by the delegate iterator. If context.method was\n // \"return\", allow the original .return call to continue in the\n // outer generator.\n if (context.method !== \"return\") {\n context.method = \"next\";\n context.arg = undefined;\n }\n\n } else {\n // Re-yield the result returned by the delegate method.\n return info;\n }\n\n // The delegate iterator is finished, so forget it and continue with\n // the outer generator.\n context.delegate = null;\n return ContinueSentinel;\n }\n\n // Define Generator.prototype.{next,throw,return} in terms of the\n // unified ._invoke helper method.\n defineIteratorMethods(Gp);\n\n Gp[toStringTagSymbol] = \"Generator\";\n\n // A Generator should always return itself as the iterator object when the\n // @@iterator function is called on it. Some browsers' implementations of the\n // iterator prototype chain incorrectly implement this, causing the Generator\n // object to not be returned from this call. This ensures that doesn't happen.\n // See https://github.com/facebook/regenerator/issues/274 for more details.\n Gp[iteratorSymbol] = function() {\n return this;\n };\n\n Gp.toString = function() {\n return \"[object Generator]\";\n };\n\n function pushTryEntry(locs) {\n var entry = { tryLoc: locs[0] };\n\n if (1 in locs) {\n entry.catchLoc = locs[1];\n }\n\n if (2 in locs) {\n entry.finallyLoc = locs[2];\n entry.afterLoc = locs[3];\n }\n\n this.tryEntries.push(entry);\n }\n\n function resetTryEntry(entry) {\n var record = entry.completion || {};\n record.type = \"normal\";\n delete record.arg;\n entry.completion = record;\n }\n\n function Context(tryLocsList) {\n // The root entry object (effectively a try statement without a catch\n // or a finally block) gives us a place to store values thrown from\n // locations where there is no enclosing try statement.\n this.tryEntries = [{ tryLoc: \"root\" }];\n tryLocsList.forEach(pushTryEntry, this);\n this.reset(true);\n }\n\n runtime.keys = function(object) {\n var keys = [];\n for (var key in object) {\n keys.push(key);\n }\n keys.reverse();\n\n // Rather than returning an object with a next method, we keep\n // things simple and return the next function itself.\n return function next() {\n while (keys.length) {\n var key = keys.pop();\n if (key in object) {\n next.value = key;\n next.done = false;\n return next;\n }\n }\n\n // To avoid creating an additional object, we just hang the .value\n // and .done properties off the next function object itself. This\n // also ensures that the minifier will not anonymize the function.\n next.done = true;\n return next;\n };\n };\n\n function values(iterable) {\n if (iterable) {\n var iteratorMethod = iterable[iteratorSymbol];\n if (iteratorMethod) {\n return iteratorMethod.call(iterable);\n }\n\n if (typeof iterable.next === \"function\") {\n return iterable;\n }\n\n if (!isNaN(iterable.length)) {\n var i = -1, next = function next() {\n while (++i < iterable.length) {\n if (hasOwn.call(iterable, i)) {\n next.value = iterable[i];\n next.done = false;\n return next;\n }\n }\n\n next.value = undefined;\n next.done = true;\n\n return next;\n };\n\n return next.next = next;\n }\n }\n\n // Return an iterator with no values.\n return { next: doneResult };\n }\n runtime.values = values;\n\n function doneResult() {\n return { value: undefined, done: true };\n }\n\n Context.prototype = {\n constructor: Context,\n\n reset: function(skipTempReset) {\n this.prev = 0;\n this.next = 0;\n // Resetting context._sent for legacy support of Babel's\n // function.sent implementation.\n this.sent = this._sent = undefined;\n this.done = false;\n this.delegate = null;\n\n this.method = \"next\";\n this.arg = undefined;\n\n this.tryEntries.forEach(resetTryEntry);\n\n if (!skipTempReset) {\n for (var name in this) {\n // Not sure about the optimal order of these conditions:\n if (name.charAt(0) === \"t\" &&\n hasOwn.call(this, name) &&\n !isNaN(+name.slice(1))) {\n this[name] = undefined;\n }\n }\n }\n },\n\n stop: function() {\n this.done = true;\n\n var rootEntry = this.tryEntries[0];\n var rootRecord = rootEntry.completion;\n if (rootRecord.type === \"throw\") {\n throw rootRecord.arg;\n }\n\n return this.rval;\n },\n\n dispatchException: function(exception) {\n if (this.done) {\n throw exception;\n }\n\n var context = this;\n function handle(loc, caught) {\n record.type = \"throw\";\n record.arg = exception;\n context.next = loc;\n\n if (caught) {\n // If the dispatched exception was caught by a catch block,\n // then let that catch block handle the exception normally.\n context.method = \"next\";\n context.arg = undefined;\n }\n\n return !! caught;\n }\n\n for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n var entry = this.tryEntries[i];\n var record = entry.completion;\n\n if (entry.tryLoc === \"root\") {\n // Exception thrown outside of any try block that could handle\n // it, so set the completion value of the entire function to\n // throw the exception.\n return handle(\"end\");\n }\n\n if (entry.tryLoc <= this.prev) {\n var hasCatch = hasOwn.call(entry, \"catchLoc\");\n var hasFinally = hasOwn.call(entry, \"finallyLoc\");\n\n if (hasCatch && hasFinally) {\n if (this.prev < entry.catchLoc) {\n return handle(entry.catchLoc, true);\n } else if (this.prev < entry.finallyLoc) {\n return handle(entry.finallyLoc);\n }\n\n } else if (hasCatch) {\n if (this.prev < entry.catchLoc) {\n return handle(entry.catchLoc, true);\n }\n\n } else if (hasFinally) {\n if (this.prev < entry.finallyLoc) {\n return handle(entry.finallyLoc);\n }\n\n } else {\n throw new Error(\"try statement without catch or finally\");\n }\n }\n }\n },\n\n abrupt: function(type, arg) {\n for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n var entry = this.tryEntries[i];\n if (entry.tryLoc <= this.prev &&\n hasOwn.call(entry, \"finallyLoc\") &&\n this.prev < entry.finallyLoc) {\n var finallyEntry = entry;\n break;\n }\n }\n\n if (finallyEntry &&\n (type === \"break\" ||\n type === \"continue\") &&\n finallyEntry.tryLoc <= arg &&\n arg <= finallyEntry.finallyLoc) {\n // Ignore the finally entry if control is not jumping to a\n // location outside the try/catch block.\n finallyEntry = null;\n }\n\n var record = finallyEntry ? finallyEntry.completion : {};\n record.type = type;\n record.arg = arg;\n\n if (finallyEntry) {\n this.method = \"next\";\n this.next = finallyEntry.finallyLoc;\n return ContinueSentinel;\n }\n\n return this.complete(record);\n },\n\n complete: function(record, afterLoc) {\n if (record.type === \"throw\") {\n throw record.arg;\n }\n\n if (record.type === \"break\" ||\n record.type === \"continue\") {\n this.next = record.arg;\n } else if (record.type === \"return\") {\n this.rval = this.arg = record.arg;\n this.method = \"return\";\n this.next = \"end\";\n } else if (record.type === \"normal\" && afterLoc) {\n this.next = afterLoc;\n }\n\n return ContinueSentinel;\n },\n\n finish: function(finallyLoc) {\n for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n var entry = this.tryEntries[i];\n if (entry.finallyLoc === finallyLoc) {\n this.complete(entry.completion, entry.afterLoc);\n resetTryEntry(entry);\n return ContinueSentinel;\n }\n }\n },\n\n \"catch\": function(tryLoc) {\n for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n var entry = this.tryEntries[i];\n if (entry.tryLoc === tryLoc) {\n var record = entry.completion;\n if (record.type === \"throw\") {\n var thrown = record.arg;\n resetTryEntry(entry);\n }\n return thrown;\n }\n }\n\n // The context.catch method must only be called with a location\n // argument that corresponds to a known catch block.\n throw new Error(\"illegal catch attempt\");\n },\n\n delegateYield: function(iterable, resultName, nextLoc) {\n this.delegate = {\n iterator: values(iterable),\n resultName: resultName,\n nextLoc: nextLoc\n };\n\n if (this.method === \"next\") {\n // Deliberately forget the last sent value so that we don't\n // accidentally pass it on to the delegate.\n this.arg = undefined;\n }\n\n return ContinueSentinel;\n }\n };\n})(\n // Among the various tricks for obtaining a reference to the global\n // object, this seems to be the most reliable technique that does not\n // use indirect eval (which violates Content Security Policy).\n typeof global === \"object\" ? global :\n typeof window === \"object\" ? window :\n typeof self === \"object\" ? self : this\n);\n\n/* WEBPACK VAR INJECTION */}.call(exports, (function() { return this; }())))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/regenerator-runtime/runtime.js\n// module id = 323\n// module chunks = 0\n//# sourceURL=webpack:///./~/regenerator-runtime/runtime.js?"); + +/***/ }), +/* 324 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("__webpack_require__(325);\nmodule.exports = __webpack_require__(9).RegExp.escape;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/fn/regexp/escape.js\n// module id = 324\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/fn/regexp/escape.js?"); + +/***/ }), +/* 325 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("// https://github.com/benjamingr/RexExp.escape\nvar $export = __webpack_require__(8);\nvar $re = __webpack_require__(326)(/[\\\\^$*+?.()|[\\]{}]/g, '\\\\$&');\n\n$export($export.S, 'RegExp', { escape: function escape(it) { return $re(it); } });\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/core.regexp.escape.js\n// module id = 325\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/core.regexp.escape.js?"); + +/***/ }), +/* 326 */ +/***/ (function(module, exports) { + + eval("module.exports = function (regExp, replace) {\n var replacer = replace === Object(replace) ? function (part) {\n return replace[part];\n } : replace;\n return function (it) {\n return String(it).replace(regExp, replacer);\n };\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/core-js/modules/_replacer.js\n// module id = 326\n// module chunks = 0\n//# sourceURL=webpack:///./~/core-js/modules/_replacer.js?"); + +/***/ }), +/* 327 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n\nmodule.exports = __webpack_require__(328);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/react.js\n// module id = 327\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/react.js?"); + +/***/ }), +/* 328 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _assign = __webpack_require__(330);\n\nvar ReactBaseClasses = __webpack_require__(331);\nvar ReactChildren = __webpack_require__(340);\nvar ReactDOMFactories = __webpack_require__(348);\nvar ReactElement = __webpack_require__(342);\nvar ReactPropTypes = __webpack_require__(354);\nvar ReactVersion = __webpack_require__(359);\n\nvar createReactClass = __webpack_require__(360);\nvar onlyChild = __webpack_require__(362);\n\nvar createElement = ReactElement.createElement;\nvar createFactory = ReactElement.createFactory;\nvar cloneElement = ReactElement.cloneElement;\n\nif (process.env.NODE_ENV !== 'production') {\n var lowPriorityWarning = __webpack_require__(339);\n var canDefineProperty = __webpack_require__(336);\n var ReactElementValidator = __webpack_require__(349);\n var didWarnPropTypesDeprecated = false;\n createElement = ReactElementValidator.createElement;\n createFactory = ReactElementValidator.createFactory;\n cloneElement = ReactElementValidator.cloneElement;\n}\n\nvar __spread = _assign;\nvar createMixin = function (mixin) {\n return mixin;\n};\n\nif (process.env.NODE_ENV !== 'production') {\n var warnedForSpread = false;\n var warnedForCreateMixin = false;\n __spread = function () {\n lowPriorityWarning(warnedForSpread, 'React.__spread is deprecated and should not be used. Use ' + 'Object.assign directly or another helper function with similar ' + 'semantics. You may be seeing this warning due to your compiler. ' + 'See https://fb.me/react-spread-deprecation for more details.');\n warnedForSpread = true;\n return _assign.apply(null, arguments);\n };\n\n createMixin = function (mixin) {\n lowPriorityWarning(warnedForCreateMixin, 'React.createMixin is deprecated and should not be used. ' + 'In React v16.0, it will be removed. ' + 'You can use this mixin directly instead. ' + 'See https://fb.me/createmixin-was-never-implemented for more info.');\n warnedForCreateMixin = true;\n return mixin;\n };\n}\n\nvar React = {\n // Modern\n\n Children: {\n map: ReactChildren.map,\n forEach: ReactChildren.forEach,\n count: ReactChildren.count,\n toArray: ReactChildren.toArray,\n only: onlyChild\n },\n\n Component: ReactBaseClasses.Component,\n PureComponent: ReactBaseClasses.PureComponent,\n\n createElement: createElement,\n cloneElement: cloneElement,\n isValidElement: ReactElement.isValidElement,\n\n // Classic\n\n PropTypes: ReactPropTypes,\n createClass: createReactClass,\n createFactory: createFactory,\n createMixin: createMixin,\n\n // This looks DOM specific but these are actually isomorphic helpers\n // since they are just generating DOM strings.\n DOM: ReactDOMFactories,\n\n version: ReactVersion,\n\n // Deprecated hook for JSX spread, don't use this for anything.\n __spread: __spread\n};\n\nif (process.env.NODE_ENV !== 'production') {\n var warnedForCreateClass = false;\n if (canDefineProperty) {\n Object.defineProperty(React, 'PropTypes', {\n get: function () {\n lowPriorityWarning(didWarnPropTypesDeprecated, 'Accessing PropTypes via the main React package is deprecated,' + ' and will be removed in React v16.0.' + ' Use the latest available v15.* prop-types package from npm instead.' + ' For info on usage, compatibility, migration and more, see ' + 'https://fb.me/prop-types-docs');\n didWarnPropTypesDeprecated = true;\n return ReactPropTypes;\n }\n });\n\n Object.defineProperty(React, 'createClass', {\n get: function () {\n lowPriorityWarning(warnedForCreateClass, 'Accessing createClass via the main React package is deprecated,' + ' and will be removed in React v16.0.' + \" Use a plain JavaScript class instead. If you're not yet \" + 'ready to migrate, create-react-class v15.* is available ' + 'on npm as a temporary, drop-in replacement. ' + 'For more info see https://fb.me/react-create-class');\n warnedForCreateClass = true;\n return createReactClass;\n }\n });\n }\n\n // React.DOM factories are deprecated. Wrap these methods so that\n // invocations of the React.DOM namespace and alert users to switch\n // to the `react-dom-factories` package.\n React.DOM = {};\n var warnedForFactories = false;\n Object.keys(ReactDOMFactories).forEach(function (factory) {\n React.DOM[factory] = function () {\n if (!warnedForFactories) {\n lowPriorityWarning(false, 'Accessing factories like React.DOM.%s has been deprecated ' + 'and will be removed in v16.0+. Use the ' + 'react-dom-factories package instead. ' + ' Version 1.0 provides a drop-in replacement.' + ' For more info, see https://fb.me/react-dom-factories', factory);\n warnedForFactories = true;\n }\n return ReactDOMFactories[factory].apply(ReactDOMFactories, arguments);\n };\n });\n}\n\nmodule.exports = React;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/React.js\n// module id = 328\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/React.js?"); + +/***/ }), +/* 329 */ +/***/ (function(module, exports) { + + eval("// shim for using process in browser\nvar process = module.exports = {};\n\n// cached from whatever global is present so that test runners that stub it\n// don't break things. But we need to wrap it in a try catch in case it is\n// wrapped in strict mode code which doesn't define any globals. It's inside a\n// function because try/catches deoptimize in certain engines.\n\nvar cachedSetTimeout;\nvar cachedClearTimeout;\n\nfunction defaultSetTimout() {\n throw new Error('setTimeout has not been defined');\n}\nfunction defaultClearTimeout () {\n throw new Error('clearTimeout has not been defined');\n}\n(function () {\n try {\n if (typeof setTimeout === 'function') {\n cachedSetTimeout = setTimeout;\n } else {\n cachedSetTimeout = defaultSetTimout;\n }\n } catch (e) {\n cachedSetTimeout = defaultSetTimout;\n }\n try {\n if (typeof clearTimeout === 'function') {\n cachedClearTimeout = clearTimeout;\n } else {\n cachedClearTimeout = defaultClearTimeout;\n }\n } catch (e) {\n cachedClearTimeout = defaultClearTimeout;\n }\n} ())\nfunction runTimeout(fun) {\n if (cachedSetTimeout === setTimeout) {\n //normal enviroments in sane situations\n return setTimeout(fun, 0);\n }\n // if setTimeout wasn't available but was latter defined\n if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) && setTimeout) {\n cachedSetTimeout = setTimeout;\n return setTimeout(fun, 0);\n }\n try {\n // when when somebody has screwed with setTimeout but no I.E. maddness\n return cachedSetTimeout(fun, 0);\n } catch(e){\n try {\n // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally\n return cachedSetTimeout.call(null, fun, 0);\n } catch(e){\n // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error\n return cachedSetTimeout.call(this, fun, 0);\n }\n }\n\n\n}\nfunction runClearTimeout(marker) {\n if (cachedClearTimeout === clearTimeout) {\n //normal enviroments in sane situations\n return clearTimeout(marker);\n }\n // if clearTimeout wasn't available but was latter defined\n if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) && clearTimeout) {\n cachedClearTimeout = clearTimeout;\n return clearTimeout(marker);\n }\n try {\n // when when somebody has screwed with setTimeout but no I.E. maddness\n return cachedClearTimeout(marker);\n } catch (e){\n try {\n // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally\n return cachedClearTimeout.call(null, marker);\n } catch (e){\n // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error.\n // Some versions of I.E. have different rules for clearTimeout vs setTimeout\n return cachedClearTimeout.call(this, marker);\n }\n }\n\n\n\n}\nvar queue = [];\nvar draining = false;\nvar currentQueue;\nvar queueIndex = -1;\n\nfunction cleanUpNextTick() {\n if (!draining || !currentQueue) {\n return;\n }\n draining = false;\n if (currentQueue.length) {\n queue = currentQueue.concat(queue);\n } else {\n queueIndex = -1;\n }\n if (queue.length) {\n drainQueue();\n }\n}\n\nfunction drainQueue() {\n if (draining) {\n return;\n }\n var timeout = runTimeout(cleanUpNextTick);\n draining = true;\n\n var len = queue.length;\n while(len) {\n currentQueue = queue;\n queue = [];\n while (++queueIndex < len) {\n if (currentQueue) {\n currentQueue[queueIndex].run();\n }\n }\n queueIndex = -1;\n len = queue.length;\n }\n currentQueue = null;\n draining = false;\n runClearTimeout(timeout);\n}\n\nprocess.nextTick = function (fun) {\n var args = new Array(arguments.length - 1);\n if (arguments.length > 1) {\n for (var i = 1; i < arguments.length; i++) {\n args[i - 1] = arguments[i];\n }\n }\n queue.push(new Item(fun, args));\n if (queue.length === 1 && !draining) {\n runTimeout(drainQueue);\n }\n};\n\n// v8 likes predictible objects\nfunction Item(fun, array) {\n this.fun = fun;\n this.array = array;\n}\nItem.prototype.run = function () {\n this.fun.apply(null, this.array);\n};\nprocess.title = 'browser';\nprocess.browser = true;\nprocess.env = {};\nprocess.argv = [];\nprocess.version = ''; // empty string to avoid regexp issues\nprocess.versions = {};\n\nfunction noop() {}\n\nprocess.on = noop;\nprocess.addListener = noop;\nprocess.once = noop;\nprocess.off = noop;\nprocess.removeListener = noop;\nprocess.removeAllListeners = noop;\nprocess.emit = noop;\nprocess.prependListener = noop;\nprocess.prependOnceListener = noop;\n\nprocess.listeners = function (name) { return [] }\n\nprocess.binding = function (name) {\n throw new Error('process.binding is not supported');\n};\n\nprocess.cwd = function () { return '/' };\nprocess.chdir = function (dir) {\n throw new Error('process.chdir is not supported');\n};\nprocess.umask = function() { return 0; };\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/process/browser.js\n// module id = 329\n// module chunks = 0\n//# sourceURL=webpack:///./~/process/browser.js?"); + +/***/ }), +/* 330 */ +/***/ (function(module, exports) { + + eval("/*\nobject-assign\n(c) Sindre Sorhus\n@license MIT\n*/\n\n'use strict';\n/* eslint-disable no-unused-vars */\nvar getOwnPropertySymbols = Object.getOwnPropertySymbols;\nvar hasOwnProperty = Object.prototype.hasOwnProperty;\nvar propIsEnumerable = Object.prototype.propertyIsEnumerable;\n\nfunction toObject(val) {\n\tif (val === null || val === undefined) {\n\t\tthrow new TypeError('Object.assign cannot be called with null or undefined');\n\t}\n\n\treturn Object(val);\n}\n\nfunction shouldUseNative() {\n\ttry {\n\t\tif (!Object.assign) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Detect buggy property enumeration order in older V8 versions.\n\n\t\t// https://bugs.chromium.org/p/v8/issues/detail?id=4118\n\t\tvar test1 = new String('abc'); // eslint-disable-line no-new-wrappers\n\t\ttest1[5] = 'de';\n\t\tif (Object.getOwnPropertyNames(test1)[0] === '5') {\n\t\t\treturn false;\n\t\t}\n\n\t\t// https://bugs.chromium.org/p/v8/issues/detail?id=3056\n\t\tvar test2 = {};\n\t\tfor (var i = 0; i < 10; i++) {\n\t\t\ttest2['_' + String.fromCharCode(i)] = i;\n\t\t}\n\t\tvar order2 = Object.getOwnPropertyNames(test2).map(function (n) {\n\t\t\treturn test2[n];\n\t\t});\n\t\tif (order2.join('') !== '0123456789') {\n\t\t\treturn false;\n\t\t}\n\n\t\t// https://bugs.chromium.org/p/v8/issues/detail?id=3056\n\t\tvar test3 = {};\n\t\t'abcdefghijklmnopqrst'.split('').forEach(function (letter) {\n\t\t\ttest3[letter] = letter;\n\t\t});\n\t\tif (Object.keys(Object.assign({}, test3)).join('') !==\n\t\t\t\t'abcdefghijklmnopqrst') {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t} catch (err) {\n\t\t// We don't expect any of the above to throw, but better to be safe.\n\t\treturn false;\n\t}\n}\n\nmodule.exports = shouldUseNative() ? Object.assign : function (target, source) {\n\tvar from;\n\tvar to = toObject(target);\n\tvar symbols;\n\n\tfor (var s = 1; s < arguments.length; s++) {\n\t\tfrom = Object(arguments[s]);\n\n\t\tfor (var key in from) {\n\t\t\tif (hasOwnProperty.call(from, key)) {\n\t\t\t\tto[key] = from[key];\n\t\t\t}\n\t\t}\n\n\t\tif (getOwnPropertySymbols) {\n\t\t\tsymbols = getOwnPropertySymbols(from);\n\t\t\tfor (var i = 0; i < symbols.length; i++) {\n\t\t\t\tif (propIsEnumerable.call(from, symbols[i])) {\n\t\t\t\t\tto[symbols[i]] = from[symbols[i]];\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\treturn to;\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/object-assign/index.js\n// module id = 330\n// module chunks = 0\n//# sourceURL=webpack:///./~/object-assign/index.js?"); + +/***/ }), +/* 331 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(332),\n _assign = __webpack_require__(330);\n\nvar ReactNoopUpdateQueue = __webpack_require__(333);\n\nvar canDefineProperty = __webpack_require__(336);\nvar emptyObject = __webpack_require__(337);\nvar invariant = __webpack_require__(338);\nvar lowPriorityWarning = __webpack_require__(339);\n\n/**\n * Base class helpers for the updating state of a component.\n */\nfunction ReactComponent(props, context, updater) {\n this.props = props;\n this.context = context;\n this.refs = emptyObject;\n // We initialize the default updater but the real one gets injected by the\n // renderer.\n this.updater = updater || ReactNoopUpdateQueue;\n}\n\nReactComponent.prototype.isReactComponent = {};\n\n/**\n * Sets a subset of the state. Always use this to mutate\n * state. You should treat `this.state` as immutable.\n *\n * There is no guarantee that `this.state` will be immediately updated, so\n * accessing `this.state` after calling this method may return the old value.\n *\n * There is no guarantee that calls to `setState` will run synchronously,\n * as they may eventually be batched together. You can provide an optional\n * callback that will be executed when the call to setState is actually\n * completed.\n *\n * When a function is provided to setState, it will be called at some point in\n * the future (not synchronously). It will be called with the up to date\n * component arguments (state, props, context). These values can be different\n * from this.* because your function may be called after receiveProps but before\n * shouldComponentUpdate, and this new state, props, and context will not yet be\n * assigned to this.\n *\n * @param {object|function} partialState Next partial state or function to\n * produce next partial state to be merged with current state.\n * @param {?function} callback Called after state is updated.\n * @final\n * @protected\n */\nReactComponent.prototype.setState = function (partialState, callback) {\n !(typeof partialState === 'object' || typeof partialState === 'function' || partialState == null) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'setState(...): takes an object of state variables to update or a function which returns an object of state variables.') : _prodInvariant('85') : void 0;\n this.updater.enqueueSetState(this, partialState);\n if (callback) {\n this.updater.enqueueCallback(this, callback, 'setState');\n }\n};\n\n/**\n * Forces an update. This should only be invoked when it is known with\n * certainty that we are **not** in a DOM transaction.\n *\n * You may want to call this when you know that some deeper aspect of the\n * component's state has changed but `setState` was not called.\n *\n * This will not invoke `shouldComponentUpdate`, but it will invoke\n * `componentWillUpdate` and `componentDidUpdate`.\n *\n * @param {?function} callback Called after update is complete.\n * @final\n * @protected\n */\nReactComponent.prototype.forceUpdate = function (callback) {\n this.updater.enqueueForceUpdate(this);\n if (callback) {\n this.updater.enqueueCallback(this, callback, 'forceUpdate');\n }\n};\n\n/**\n * Deprecated APIs. These APIs used to exist on classic React classes but since\n * we would like to deprecate them, we're not going to move them over to this\n * modern base class. Instead, we define a getter that warns if it's accessed.\n */\nif (process.env.NODE_ENV !== 'production') {\n var deprecatedAPIs = {\n isMounted: ['isMounted', 'Instead, make sure to clean up subscriptions and pending requests in ' + 'componentWillUnmount to prevent memory leaks.'],\n replaceState: ['replaceState', 'Refactor your code to use setState instead (see ' + 'https://github.com/facebook/react/issues/3236).']\n };\n var defineDeprecationWarning = function (methodName, info) {\n if (canDefineProperty) {\n Object.defineProperty(ReactComponent.prototype, methodName, {\n get: function () {\n lowPriorityWarning(false, '%s(...) is deprecated in plain JavaScript React classes. %s', info[0], info[1]);\n return undefined;\n }\n });\n }\n };\n for (var fnName in deprecatedAPIs) {\n if (deprecatedAPIs.hasOwnProperty(fnName)) {\n defineDeprecationWarning(fnName, deprecatedAPIs[fnName]);\n }\n }\n}\n\n/**\n * Base class helpers for the updating state of a component.\n */\nfunction ReactPureComponent(props, context, updater) {\n // Duplicated from ReactComponent.\n this.props = props;\n this.context = context;\n this.refs = emptyObject;\n // We initialize the default updater but the real one gets injected by the\n // renderer.\n this.updater = updater || ReactNoopUpdateQueue;\n}\n\nfunction ComponentDummy() {}\nComponentDummy.prototype = ReactComponent.prototype;\nReactPureComponent.prototype = new ComponentDummy();\nReactPureComponent.prototype.constructor = ReactPureComponent;\n// Avoid an extra prototype jump for these methods.\n_assign(ReactPureComponent.prototype, ReactComponent.prototype);\nReactPureComponent.prototype.isPureReactComponent = true;\n\nmodule.exports = {\n Component: ReactComponent,\n PureComponent: ReactPureComponent\n};\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactBaseClasses.js\n// module id = 331\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactBaseClasses.js?"); + +/***/ }), +/* 332 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n'use strict';\n\n/**\n * WARNING: DO NOT manually require this module.\n * This is a replacement for `invariant(...)` used by the error code system\n * and will _only_ be required by the corresponding babel pass.\n * It always throws.\n */\n\nfunction reactProdInvariant(code) {\n var argCount = arguments.length - 1;\n\n var message = 'Minified React error #' + code + '; visit ' + 'http://facebook.github.io/react/docs/error-decoder.html?invariant=' + code;\n\n for (var argIdx = 0; argIdx < argCount; argIdx++) {\n message += '&args[]=' + encodeURIComponent(arguments[argIdx + 1]);\n }\n\n message += ' for the full message or use the non-minified dev environment' + ' for full errors and additional helpful warnings.';\n\n var error = new Error(message);\n error.name = 'Invariant Violation';\n error.framesToPop = 1; // we don't care about reactProdInvariant's own frame\n\n throw error;\n}\n\nmodule.exports = reactProdInvariant;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/reactProdInvariant.js\n// module id = 332\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/reactProdInvariant.js?"); + +/***/ }), +/* 333 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2015-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar warning = __webpack_require__(334);\n\nfunction warnNoop(publicInstance, callerName) {\n if (process.env.NODE_ENV !== 'production') {\n var constructor = publicInstance.constructor;\n process.env.NODE_ENV !== 'production' ? warning(false, '%s(...): Can only update a mounted or mounting component. ' + 'This usually means you called %s() on an unmounted component. ' + 'This is a no-op. Please check the code for the %s component.', callerName, callerName, constructor && (constructor.displayName || constructor.name) || 'ReactClass') : void 0;\n }\n}\n\n/**\n * This is the abstract API for an update queue.\n */\nvar ReactNoopUpdateQueue = {\n /**\n * Checks whether or not this composite component is mounted.\n * @param {ReactClass} publicInstance The instance we want to test.\n * @return {boolean} True if mounted, false otherwise.\n * @protected\n * @final\n */\n isMounted: function (publicInstance) {\n return false;\n },\n\n /**\n * Enqueue a callback that will be executed after all the pending updates\n * have processed.\n *\n * @param {ReactClass} publicInstance The instance to use as `this` context.\n * @param {?function} callback Called after state is updated.\n * @internal\n */\n enqueueCallback: function (publicInstance, callback) {},\n\n /**\n * Forces an update. This should only be invoked when it is known with\n * certainty that we are **not** in a DOM transaction.\n *\n * You may want to call this when you know that some deeper aspect of the\n * component's state has changed but `setState` was not called.\n *\n * This will not invoke `shouldComponentUpdate`, but it will invoke\n * `componentWillUpdate` and `componentDidUpdate`.\n *\n * @param {ReactClass} publicInstance The instance that should rerender.\n * @internal\n */\n enqueueForceUpdate: function (publicInstance) {\n warnNoop(publicInstance, 'forceUpdate');\n },\n\n /**\n * Replaces all of the state. Always use this or `setState` to mutate state.\n * You should treat `this.state` as immutable.\n *\n * There is no guarantee that `this.state` will be immediately updated, so\n * accessing `this.state` after calling this method may return the old value.\n *\n * @param {ReactClass} publicInstance The instance that should rerender.\n * @param {object} completeState Next state.\n * @internal\n */\n enqueueReplaceState: function (publicInstance, completeState) {\n warnNoop(publicInstance, 'replaceState');\n },\n\n /**\n * Sets a subset of the state. This only exists because _pendingState is\n * internal. This provides a merging strategy that is not available to deep\n * properties which is confusing. TODO: Expose pendingState or don't use it\n * during the merge.\n *\n * @param {ReactClass} publicInstance The instance that should rerender.\n * @param {object} partialState Next partial state to be merged with state.\n * @internal\n */\n enqueueSetState: function (publicInstance, partialState) {\n warnNoop(publicInstance, 'setState');\n }\n};\n\nmodule.exports = ReactNoopUpdateQueue;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactNoopUpdateQueue.js\n// module id = 333\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactNoopUpdateQueue.js?"); + +/***/ }), +/* 334 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2014-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar emptyFunction = __webpack_require__(335);\n\n/**\n * Similar to invariant but only logs a warning if the condition is not met.\n * This can be used to log issues in development environments in critical\n * paths. Removing the logging code for production environments will keep the\n * same logic and follow the same code paths.\n */\n\nvar warning = emptyFunction;\n\nif (process.env.NODE_ENV !== 'production') {\n var printWarning = function printWarning(format) {\n for (var _len = arguments.length, args = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n args[_key - 1] = arguments[_key];\n }\n\n var argIndex = 0;\n var message = 'Warning: ' + format.replace(/%s/g, function () {\n return args[argIndex++];\n });\n if (typeof console !== 'undefined') {\n console.error(message);\n }\n try {\n // --- Welcome to debugging React ---\n // This error was thrown as a convenience so that you can use this stack\n // to find the callsite that caused this warning to fire.\n throw new Error(message);\n } catch (x) {}\n };\n\n warning = function warning(condition, format) {\n if (format === undefined) {\n throw new Error('`warning(condition, format, ...args)` requires a warning ' + 'message argument');\n }\n\n if (format.indexOf('Failed Composite propType: ') === 0) {\n return; // Ignore CompositeComponent proptype check.\n }\n\n if (!condition) {\n for (var _len2 = arguments.length, args = Array(_len2 > 2 ? _len2 - 2 : 0), _key2 = 2; _key2 < _len2; _key2++) {\n args[_key2 - 2] = arguments[_key2];\n }\n\n printWarning.apply(undefined, [format].concat(args));\n }\n };\n}\n\nmodule.exports = warning;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/fbjs/lib/warning.js\n// module id = 334\n// module chunks = 0\n//# sourceURL=webpack:///./~/fbjs/lib/warning.js?"); + +/***/ }), +/* 335 */ +/***/ (function(module, exports) { + + eval("\"use strict\";\n\n/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\nfunction makeEmptyFunction(arg) {\n return function () {\n return arg;\n };\n}\n\n/**\n * This function accepts and discards inputs; it has no side effects. This is\n * primarily useful idiomatically for overridable function endpoints which\n * always need to be callable, since JS lacks a null-call idiom ala Cocoa.\n */\nvar emptyFunction = function emptyFunction() {};\n\nemptyFunction.thatReturns = makeEmptyFunction;\nemptyFunction.thatReturnsFalse = makeEmptyFunction(false);\nemptyFunction.thatReturnsTrue = makeEmptyFunction(true);\nemptyFunction.thatReturnsNull = makeEmptyFunction(null);\nemptyFunction.thatReturnsThis = function () {\n return this;\n};\nemptyFunction.thatReturnsArgument = function (arg) {\n return arg;\n};\n\nmodule.exports = emptyFunction;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/fbjs/lib/emptyFunction.js\n// module id = 335\n// module chunks = 0\n//# sourceURL=webpack:///./~/fbjs/lib/emptyFunction.js?"); + +/***/ }), +/* 336 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar canDefineProperty = false;\nif (process.env.NODE_ENV !== 'production') {\n try {\n // $FlowFixMe https://github.com/facebook/flow/issues/285\n Object.defineProperty({}, 'x', { get: function () {} });\n canDefineProperty = true;\n } catch (x) {\n // IE will fail on defineProperty\n }\n}\n\nmodule.exports = canDefineProperty;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/canDefineProperty.js\n// module id = 336\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/canDefineProperty.js?"); + +/***/ }), +/* 337 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar emptyObject = {};\n\nif (process.env.NODE_ENV !== 'production') {\n Object.freeze(emptyObject);\n}\n\nmodule.exports = emptyObject;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/fbjs/lib/emptyObject.js\n// module id = 337\n// module chunks = 0\n//# sourceURL=webpack:///./~/fbjs/lib/emptyObject.js?"); + +/***/ }), +/* 338 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\n/**\n * Use invariant() to assert state which your program assumes to be true.\n *\n * Provide sprintf-style format (only %s is supported) and arguments\n * to provide information about what broke and what you were\n * expecting.\n *\n * The invariant message will be stripped in production, but the invariant\n * will remain to ensure logic does not differ in production.\n */\n\nvar validateFormat = function validateFormat(format) {};\n\nif (process.env.NODE_ENV !== 'production') {\n validateFormat = function validateFormat(format) {\n if (format === undefined) {\n throw new Error('invariant requires an error message argument');\n }\n };\n}\n\nfunction invariant(condition, format, a, b, c, d, e, f) {\n validateFormat(format);\n\n if (!condition) {\n var error;\n if (format === undefined) {\n error = new Error('Minified exception occurred; use the non-minified dev environment ' + 'for the full error message and additional helpful warnings.');\n } else {\n var args = [a, b, c, d, e, f];\n var argIndex = 0;\n error = new Error(format.replace(/%s/g, function () {\n return args[argIndex++];\n }));\n error.name = 'Invariant Violation';\n }\n\n error.framesToPop = 1; // we don't care about invariant's own frame\n throw error;\n }\n}\n\nmodule.exports = invariant;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/fbjs/lib/invariant.js\n// module id = 338\n// module chunks = 0\n//# sourceURL=webpack:///./~/fbjs/lib/invariant.js?"); + +/***/ }), +/* 339 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2014-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\n/**\n * Forked from fbjs/warning:\n * https://github.com/facebook/fbjs/blob/e66ba20ad5be433eb54423f2b097d829324d9de6/packages/fbjs/src/__forks__/warning.js\n *\n * Only change is we use console.warn instead of console.error,\n * and do nothing when 'console' is not supported.\n * This really simplifies the code.\n * ---\n * Similar to invariant but only logs a warning if the condition is not met.\n * This can be used to log issues in development environments in critical\n * paths. Removing the logging code for production environments will keep the\n * same logic and follow the same code paths.\n */\n\nvar lowPriorityWarning = function () {};\n\nif (process.env.NODE_ENV !== 'production') {\n var printWarning = function (format) {\n for (var _len = arguments.length, args = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n args[_key - 1] = arguments[_key];\n }\n\n var argIndex = 0;\n var message = 'Warning: ' + format.replace(/%s/g, function () {\n return args[argIndex++];\n });\n if (typeof console !== 'undefined') {\n console.warn(message);\n }\n try {\n // --- Welcome to debugging React ---\n // This error was thrown as a convenience so that you can use this stack\n // to find the callsite that caused this warning to fire.\n throw new Error(message);\n } catch (x) {}\n };\n\n lowPriorityWarning = function (condition, format) {\n if (format === undefined) {\n throw new Error('`warning(condition, format, ...args)` requires a warning ' + 'message argument');\n }\n if (!condition) {\n for (var _len2 = arguments.length, args = Array(_len2 > 2 ? _len2 - 2 : 0), _key2 = 2; _key2 < _len2; _key2++) {\n args[_key2 - 2] = arguments[_key2];\n }\n\n printWarning.apply(undefined, [format].concat(args));\n }\n };\n}\n\nmodule.exports = lowPriorityWarning;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/lowPriorityWarning.js\n// module id = 339\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/lowPriorityWarning.js?"); + +/***/ }), +/* 340 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar PooledClass = __webpack_require__(341);\nvar ReactElement = __webpack_require__(342);\n\nvar emptyFunction = __webpack_require__(335);\nvar traverseAllChildren = __webpack_require__(345);\n\nvar twoArgumentPooler = PooledClass.twoArgumentPooler;\nvar fourArgumentPooler = PooledClass.fourArgumentPooler;\n\nvar userProvidedKeyEscapeRegex = /\\/+/g;\nfunction escapeUserProvidedKey(text) {\n return ('' + text).replace(userProvidedKeyEscapeRegex, '$&/');\n}\n\n/**\n * PooledClass representing the bookkeeping associated with performing a child\n * traversal. Allows avoiding binding callbacks.\n *\n * @constructor ForEachBookKeeping\n * @param {!function} forEachFunction Function to perform traversal with.\n * @param {?*} forEachContext Context to perform context with.\n */\nfunction ForEachBookKeeping(forEachFunction, forEachContext) {\n this.func = forEachFunction;\n this.context = forEachContext;\n this.count = 0;\n}\nForEachBookKeeping.prototype.destructor = function () {\n this.func = null;\n this.context = null;\n this.count = 0;\n};\nPooledClass.addPoolingTo(ForEachBookKeeping, twoArgumentPooler);\n\nfunction forEachSingleChild(bookKeeping, child, name) {\n var func = bookKeeping.func,\n context = bookKeeping.context;\n\n func.call(context, child, bookKeeping.count++);\n}\n\n/**\n * Iterates through children that are typically specified as `props.children`.\n *\n * See https://facebook.github.io/react/docs/top-level-api.html#react.children.foreach\n *\n * The provided forEachFunc(child, index) will be called for each\n * leaf child.\n *\n * @param {?*} children Children tree container.\n * @param {function(*, int)} forEachFunc\n * @param {*} forEachContext Context for forEachContext.\n */\nfunction forEachChildren(children, forEachFunc, forEachContext) {\n if (children == null) {\n return children;\n }\n var traverseContext = ForEachBookKeeping.getPooled(forEachFunc, forEachContext);\n traverseAllChildren(children, forEachSingleChild, traverseContext);\n ForEachBookKeeping.release(traverseContext);\n}\n\n/**\n * PooledClass representing the bookkeeping associated with performing a child\n * mapping. Allows avoiding binding callbacks.\n *\n * @constructor MapBookKeeping\n * @param {!*} mapResult Object containing the ordered map of results.\n * @param {!function} mapFunction Function to perform mapping with.\n * @param {?*} mapContext Context to perform mapping with.\n */\nfunction MapBookKeeping(mapResult, keyPrefix, mapFunction, mapContext) {\n this.result = mapResult;\n this.keyPrefix = keyPrefix;\n this.func = mapFunction;\n this.context = mapContext;\n this.count = 0;\n}\nMapBookKeeping.prototype.destructor = function () {\n this.result = null;\n this.keyPrefix = null;\n this.func = null;\n this.context = null;\n this.count = 0;\n};\nPooledClass.addPoolingTo(MapBookKeeping, fourArgumentPooler);\n\nfunction mapSingleChildIntoContext(bookKeeping, child, childKey) {\n var result = bookKeeping.result,\n keyPrefix = bookKeeping.keyPrefix,\n func = bookKeeping.func,\n context = bookKeeping.context;\n\n\n var mappedChild = func.call(context, child, bookKeeping.count++);\n if (Array.isArray(mappedChild)) {\n mapIntoWithKeyPrefixInternal(mappedChild, result, childKey, emptyFunction.thatReturnsArgument);\n } else if (mappedChild != null) {\n if (ReactElement.isValidElement(mappedChild)) {\n mappedChild = ReactElement.cloneAndReplaceKey(mappedChild,\n // Keep both the (mapped) and old keys if they differ, just as\n // traverseAllChildren used to do for objects as children\n keyPrefix + (mappedChild.key && (!child || child.key !== mappedChild.key) ? escapeUserProvidedKey(mappedChild.key) + '/' : '') + childKey);\n }\n result.push(mappedChild);\n }\n}\n\nfunction mapIntoWithKeyPrefixInternal(children, array, prefix, func, context) {\n var escapedPrefix = '';\n if (prefix != null) {\n escapedPrefix = escapeUserProvidedKey(prefix) + '/';\n }\n var traverseContext = MapBookKeeping.getPooled(array, escapedPrefix, func, context);\n traverseAllChildren(children, mapSingleChildIntoContext, traverseContext);\n MapBookKeeping.release(traverseContext);\n}\n\n/**\n * Maps children that are typically specified as `props.children`.\n *\n * See https://facebook.github.io/react/docs/top-level-api.html#react.children.map\n *\n * The provided mapFunction(child, key, index) will be called for each\n * leaf child.\n *\n * @param {?*} children Children tree container.\n * @param {function(*, int)} func The map function.\n * @param {*} context Context for mapFunction.\n * @return {object} Object containing the ordered map of results.\n */\nfunction mapChildren(children, func, context) {\n if (children == null) {\n return children;\n }\n var result = [];\n mapIntoWithKeyPrefixInternal(children, result, null, func, context);\n return result;\n}\n\nfunction forEachSingleChildDummy(traverseContext, child, name) {\n return null;\n}\n\n/**\n * Count the number of children that are typically specified as\n * `props.children`.\n *\n * See https://facebook.github.io/react/docs/top-level-api.html#react.children.count\n *\n * @param {?*} children Children tree container.\n * @return {number} The number of children.\n */\nfunction countChildren(children, context) {\n return traverseAllChildren(children, forEachSingleChildDummy, null);\n}\n\n/**\n * Flatten a children object (typically specified as `props.children`) and\n * return an array with appropriately re-keyed children.\n *\n * See https://facebook.github.io/react/docs/top-level-api.html#react.children.toarray\n */\nfunction toArray(children) {\n var result = [];\n mapIntoWithKeyPrefixInternal(children, result, null, emptyFunction.thatReturnsArgument);\n return result;\n}\n\nvar ReactChildren = {\n forEach: forEachChildren,\n map: mapChildren,\n mapIntoWithKeyPrefixInternal: mapIntoWithKeyPrefixInternal,\n count: countChildren,\n toArray: toArray\n};\n\nmodule.exports = ReactChildren;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactChildren.js\n// module id = 340\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactChildren.js?"); + +/***/ }), +/* 341 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(332);\n\nvar invariant = __webpack_require__(338);\n\n/**\n * Static poolers. Several custom versions for each potential number of\n * arguments. A completely generic pooler is easy to implement, but would\n * require accessing the `arguments` object. In each of these, `this` refers to\n * the Class itself, not an instance. If any others are needed, simply add them\n * here, or in their own files.\n */\nvar oneArgumentPooler = function (copyFieldsFrom) {\n var Klass = this;\n if (Klass.instancePool.length) {\n var instance = Klass.instancePool.pop();\n Klass.call(instance, copyFieldsFrom);\n return instance;\n } else {\n return new Klass(copyFieldsFrom);\n }\n};\n\nvar twoArgumentPooler = function (a1, a2) {\n var Klass = this;\n if (Klass.instancePool.length) {\n var instance = Klass.instancePool.pop();\n Klass.call(instance, a1, a2);\n return instance;\n } else {\n return new Klass(a1, a2);\n }\n};\n\nvar threeArgumentPooler = function (a1, a2, a3) {\n var Klass = this;\n if (Klass.instancePool.length) {\n var instance = Klass.instancePool.pop();\n Klass.call(instance, a1, a2, a3);\n return instance;\n } else {\n return new Klass(a1, a2, a3);\n }\n};\n\nvar fourArgumentPooler = function (a1, a2, a3, a4) {\n var Klass = this;\n if (Klass.instancePool.length) {\n var instance = Klass.instancePool.pop();\n Klass.call(instance, a1, a2, a3, a4);\n return instance;\n } else {\n return new Klass(a1, a2, a3, a4);\n }\n};\n\nvar standardReleaser = function (instance) {\n var Klass = this;\n !(instance instanceof Klass) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Trying to release an instance into a pool of a different type.') : _prodInvariant('25') : void 0;\n instance.destructor();\n if (Klass.instancePool.length < Klass.poolSize) {\n Klass.instancePool.push(instance);\n }\n};\n\nvar DEFAULT_POOL_SIZE = 10;\nvar DEFAULT_POOLER = oneArgumentPooler;\n\n/**\n * Augments `CopyConstructor` to be a poolable class, augmenting only the class\n * itself (statically) not adding any prototypical fields. Any CopyConstructor\n * you give this may have a `poolSize` property, and will look for a\n * prototypical `destructor` on instances.\n *\n * @param {Function} CopyConstructor Constructor that can be used to reset.\n * @param {Function} pooler Customizable pooler.\n */\nvar addPoolingTo = function (CopyConstructor, pooler) {\n // Casting as any so that flow ignores the actual implementation and trusts\n // it to match the type we declared\n var NewKlass = CopyConstructor;\n NewKlass.instancePool = [];\n NewKlass.getPooled = pooler || DEFAULT_POOLER;\n if (!NewKlass.poolSize) {\n NewKlass.poolSize = DEFAULT_POOL_SIZE;\n }\n NewKlass.release = standardReleaser;\n return NewKlass;\n};\n\nvar PooledClass = {\n addPoolingTo: addPoolingTo,\n oneArgumentPooler: oneArgumentPooler,\n twoArgumentPooler: twoArgumentPooler,\n threeArgumentPooler: threeArgumentPooler,\n fourArgumentPooler: fourArgumentPooler\n};\n\nmodule.exports = PooledClass;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/PooledClass.js\n// module id = 341\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/PooledClass.js?"); + +/***/ }), +/* 342 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2014-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _assign = __webpack_require__(330);\n\nvar ReactCurrentOwner = __webpack_require__(343);\n\nvar warning = __webpack_require__(334);\nvar canDefineProperty = __webpack_require__(336);\nvar hasOwnProperty = Object.prototype.hasOwnProperty;\n\nvar REACT_ELEMENT_TYPE = __webpack_require__(344);\n\nvar RESERVED_PROPS = {\n key: true,\n ref: true,\n __self: true,\n __source: true\n};\n\nvar specialPropKeyWarningShown, specialPropRefWarningShown;\n\nfunction hasValidRef(config) {\n if (process.env.NODE_ENV !== 'production') {\n if (hasOwnProperty.call(config, 'ref')) {\n var getter = Object.getOwnPropertyDescriptor(config, 'ref').get;\n if (getter && getter.isReactWarning) {\n return false;\n }\n }\n }\n return config.ref !== undefined;\n}\n\nfunction hasValidKey(config) {\n if (process.env.NODE_ENV !== 'production') {\n if (hasOwnProperty.call(config, 'key')) {\n var getter = Object.getOwnPropertyDescriptor(config, 'key').get;\n if (getter && getter.isReactWarning) {\n return false;\n }\n }\n }\n return config.key !== undefined;\n}\n\nfunction defineKeyPropWarningGetter(props, displayName) {\n var warnAboutAccessingKey = function () {\n if (!specialPropKeyWarningShown) {\n specialPropKeyWarningShown = true;\n process.env.NODE_ENV !== 'production' ? warning(false, '%s: `key` is not a prop. Trying to access it will result ' + 'in `undefined` being returned. If you need to access the same ' + 'value within the child component, you should pass it as a different ' + 'prop. (https://fb.me/react-special-props)', displayName) : void 0;\n }\n };\n warnAboutAccessingKey.isReactWarning = true;\n Object.defineProperty(props, 'key', {\n get: warnAboutAccessingKey,\n configurable: true\n });\n}\n\nfunction defineRefPropWarningGetter(props, displayName) {\n var warnAboutAccessingRef = function () {\n if (!specialPropRefWarningShown) {\n specialPropRefWarningShown = true;\n process.env.NODE_ENV !== 'production' ? warning(false, '%s: `ref` is not a prop. Trying to access it will result ' + 'in `undefined` being returned. If you need to access the same ' + 'value within the child component, you should pass it as a different ' + 'prop. (https://fb.me/react-special-props)', displayName) : void 0;\n }\n };\n warnAboutAccessingRef.isReactWarning = true;\n Object.defineProperty(props, 'ref', {\n get: warnAboutAccessingRef,\n configurable: true\n });\n}\n\n/**\n * Factory method to create a new React element. This no longer adheres to\n * the class pattern, so do not use new to call it. Also, no instanceof check\n * will work. Instead test $$typeof field against Symbol.for('react.element') to check\n * if something is a React Element.\n *\n * @param {*} type\n * @param {*} key\n * @param {string|object} ref\n * @param {*} self A *temporary* helper to detect places where `this` is\n * different from the `owner` when React.createElement is called, so that we\n * can warn. We want to get rid of owner and replace string `ref`s with arrow\n * functions, and as long as `this` and owner are the same, there will be no\n * change in behavior.\n * @param {*} source An annotation object (added by a transpiler or otherwise)\n * indicating filename, line number, and/or other information.\n * @param {*} owner\n * @param {*} props\n * @internal\n */\nvar ReactElement = function (type, key, ref, self, source, owner, props) {\n var element = {\n // This tag allow us to uniquely identify this as a React Element\n $$typeof: REACT_ELEMENT_TYPE,\n\n // Built-in properties that belong on the element\n type: type,\n key: key,\n ref: ref,\n props: props,\n\n // Record the component responsible for creating this element.\n _owner: owner\n };\n\n if (process.env.NODE_ENV !== 'production') {\n // The validation flag is currently mutative. We put it on\n // an external backing store so that we can freeze the whole object.\n // This can be replaced with a WeakMap once they are implemented in\n // commonly used development environments.\n element._store = {};\n\n // To make comparing ReactElements easier for testing purposes, we make\n // the validation flag non-enumerable (where possible, which should\n // include every environment we run tests in), so the test framework\n // ignores it.\n if (canDefineProperty) {\n Object.defineProperty(element._store, 'validated', {\n configurable: false,\n enumerable: false,\n writable: true,\n value: false\n });\n // self and source are DEV only properties.\n Object.defineProperty(element, '_self', {\n configurable: false,\n enumerable: false,\n writable: false,\n value: self\n });\n // Two elements created in two different places should be considered\n // equal for testing purposes and therefore we hide it from enumeration.\n Object.defineProperty(element, '_source', {\n configurable: false,\n enumerable: false,\n writable: false,\n value: source\n });\n } else {\n element._store.validated = false;\n element._self = self;\n element._source = source;\n }\n if (Object.freeze) {\n Object.freeze(element.props);\n Object.freeze(element);\n }\n }\n\n return element;\n};\n\n/**\n * Create and return a new ReactElement of the given type.\n * See https://facebook.github.io/react/docs/top-level-api.html#react.createelement\n */\nReactElement.createElement = function (type, config, children) {\n var propName;\n\n // Reserved names are extracted\n var props = {};\n\n var key = null;\n var ref = null;\n var self = null;\n var source = null;\n\n if (config != null) {\n if (hasValidRef(config)) {\n ref = config.ref;\n }\n if (hasValidKey(config)) {\n key = '' + config.key;\n }\n\n self = config.__self === undefined ? null : config.__self;\n source = config.__source === undefined ? null : config.__source;\n // Remaining properties are added to a new props object\n for (propName in config) {\n if (hasOwnProperty.call(config, propName) && !RESERVED_PROPS.hasOwnProperty(propName)) {\n props[propName] = config[propName];\n }\n }\n }\n\n // Children can be more than one argument, and those are transferred onto\n // the newly allocated props object.\n var childrenLength = arguments.length - 2;\n if (childrenLength === 1) {\n props.children = children;\n } else if (childrenLength > 1) {\n var childArray = Array(childrenLength);\n for (var i = 0; i < childrenLength; i++) {\n childArray[i] = arguments[i + 2];\n }\n if (process.env.NODE_ENV !== 'production') {\n if (Object.freeze) {\n Object.freeze(childArray);\n }\n }\n props.children = childArray;\n }\n\n // Resolve default props\n if (type && type.defaultProps) {\n var defaultProps = type.defaultProps;\n for (propName in defaultProps) {\n if (props[propName] === undefined) {\n props[propName] = defaultProps[propName];\n }\n }\n }\n if (process.env.NODE_ENV !== 'production') {\n if (key || ref) {\n if (typeof props.$$typeof === 'undefined' || props.$$typeof !== REACT_ELEMENT_TYPE) {\n var displayName = typeof type === 'function' ? type.displayName || type.name || 'Unknown' : type;\n if (key) {\n defineKeyPropWarningGetter(props, displayName);\n }\n if (ref) {\n defineRefPropWarningGetter(props, displayName);\n }\n }\n }\n }\n return ReactElement(type, key, ref, self, source, ReactCurrentOwner.current, props);\n};\n\n/**\n * Return a function that produces ReactElements of a given type.\n * See https://facebook.github.io/react/docs/top-level-api.html#react.createfactory\n */\nReactElement.createFactory = function (type) {\n var factory = ReactElement.createElement.bind(null, type);\n // Expose the type on the factory and the prototype so that it can be\n // easily accessed on elements. E.g. `.type === Foo`.\n // This should not be named `constructor` since this may not be the function\n // that created the element, and it may not even be a constructor.\n // Legacy hook TODO: Warn if this is accessed\n factory.type = type;\n return factory;\n};\n\nReactElement.cloneAndReplaceKey = function (oldElement, newKey) {\n var newElement = ReactElement(oldElement.type, newKey, oldElement.ref, oldElement._self, oldElement._source, oldElement._owner, oldElement.props);\n\n return newElement;\n};\n\n/**\n * Clone and return a new ReactElement using element as the starting point.\n * See https://facebook.github.io/react/docs/top-level-api.html#react.cloneelement\n */\nReactElement.cloneElement = function (element, config, children) {\n var propName;\n\n // Original props are copied\n var props = _assign({}, element.props);\n\n // Reserved names are extracted\n var key = element.key;\n var ref = element.ref;\n // Self is preserved since the owner is preserved.\n var self = element._self;\n // Source is preserved since cloneElement is unlikely to be targeted by a\n // transpiler, and the original source is probably a better indicator of the\n // true owner.\n var source = element._source;\n\n // Owner will be preserved, unless ref is overridden\n var owner = element._owner;\n\n if (config != null) {\n if (hasValidRef(config)) {\n // Silently steal the ref from the parent.\n ref = config.ref;\n owner = ReactCurrentOwner.current;\n }\n if (hasValidKey(config)) {\n key = '' + config.key;\n }\n\n // Remaining properties override existing props\n var defaultProps;\n if (element.type && element.type.defaultProps) {\n defaultProps = element.type.defaultProps;\n }\n for (propName in config) {\n if (hasOwnProperty.call(config, propName) && !RESERVED_PROPS.hasOwnProperty(propName)) {\n if (config[propName] === undefined && defaultProps !== undefined) {\n // Resolve default props\n props[propName] = defaultProps[propName];\n } else {\n props[propName] = config[propName];\n }\n }\n }\n }\n\n // Children can be more than one argument, and those are transferred onto\n // the newly allocated props object.\n var childrenLength = arguments.length - 2;\n if (childrenLength === 1) {\n props.children = children;\n } else if (childrenLength > 1) {\n var childArray = Array(childrenLength);\n for (var i = 0; i < childrenLength; i++) {\n childArray[i] = arguments[i + 2];\n }\n props.children = childArray;\n }\n\n return ReactElement(element.type, key, ref, self, source, owner, props);\n};\n\n/**\n * Verifies the object is a ReactElement.\n * See https://facebook.github.io/react/docs/top-level-api.html#react.isvalidelement\n * @param {?object} object\n * @return {boolean} True if `object` is a valid component.\n * @final\n */\nReactElement.isValidElement = function (object) {\n return typeof object === 'object' && object !== null && object.$$typeof === REACT_ELEMENT_TYPE;\n};\n\nmodule.exports = ReactElement;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactElement.js\n// module id = 342\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactElement.js?"); + +/***/ }), +/* 343 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\n/**\n * Keeps track of the current owner.\n *\n * The current owner is the component who should own any components that are\n * currently being constructed.\n */\nvar ReactCurrentOwner = {\n /**\n * @internal\n * @type {ReactComponent}\n */\n current: null\n};\n\nmodule.exports = ReactCurrentOwner;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactCurrentOwner.js\n// module id = 343\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactCurrentOwner.js?"); + +/***/ }), +/* 344 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2014-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\n// The Symbol used to tag the ReactElement type. If there is no native Symbol\n// nor polyfill, then a plain number is used for performance.\n\nvar REACT_ELEMENT_TYPE = typeof Symbol === 'function' && Symbol['for'] && Symbol['for']('react.element') || 0xeac7;\n\nmodule.exports = REACT_ELEMENT_TYPE;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactElementSymbol.js\n// module id = 344\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactElementSymbol.js?"); + +/***/ }), +/* 345 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(332);\n\nvar ReactCurrentOwner = __webpack_require__(343);\nvar REACT_ELEMENT_TYPE = __webpack_require__(344);\n\nvar getIteratorFn = __webpack_require__(346);\nvar invariant = __webpack_require__(338);\nvar KeyEscapeUtils = __webpack_require__(347);\nvar warning = __webpack_require__(334);\n\nvar SEPARATOR = '.';\nvar SUBSEPARATOR = ':';\n\n/**\n * This is inlined from ReactElement since this file is shared between\n * isomorphic and renderers. We could extract this to a\n *\n */\n\n/**\n * TODO: Test that a single child and an array with one item have the same key\n * pattern.\n */\n\nvar didWarnAboutMaps = false;\n\n/**\n * Generate a key string that identifies a component within a set.\n *\n * @param {*} component A component that could contain a manual key.\n * @param {number} index Index that is used if a manual key is not provided.\n * @return {string}\n */\nfunction getComponentKey(component, index) {\n // Do some typechecking here since we call this blindly. We want to ensure\n // that we don't block potential future ES APIs.\n if (component && typeof component === 'object' && component.key != null) {\n // Explicit key\n return KeyEscapeUtils.escape(component.key);\n }\n // Implicit key determined by the index in the set\n return index.toString(36);\n}\n\n/**\n * @param {?*} children Children tree container.\n * @param {!string} nameSoFar Name of the key path so far.\n * @param {!function} callback Callback to invoke with each child found.\n * @param {?*} traverseContext Used to pass information throughout the traversal\n * process.\n * @return {!number} The number of children in this subtree.\n */\nfunction traverseAllChildrenImpl(children, nameSoFar, callback, traverseContext) {\n var type = typeof children;\n\n if (type === 'undefined' || type === 'boolean') {\n // All of the above are perceived as null.\n children = null;\n }\n\n if (children === null || type === 'string' || type === 'number' ||\n // The following is inlined from ReactElement. This means we can optimize\n // some checks. React Fiber also inlines this logic for similar purposes.\n type === 'object' && children.$$typeof === REACT_ELEMENT_TYPE) {\n callback(traverseContext, children,\n // If it's the only child, treat the name as if it was wrapped in an array\n // so that it's consistent if the number of children grows.\n nameSoFar === '' ? SEPARATOR + getComponentKey(children, 0) : nameSoFar);\n return 1;\n }\n\n var child;\n var nextName;\n var subtreeCount = 0; // Count of children found in the current subtree.\n var nextNamePrefix = nameSoFar === '' ? SEPARATOR : nameSoFar + SUBSEPARATOR;\n\n if (Array.isArray(children)) {\n for (var i = 0; i < children.length; i++) {\n child = children[i];\n nextName = nextNamePrefix + getComponentKey(child, i);\n subtreeCount += traverseAllChildrenImpl(child, nextName, callback, traverseContext);\n }\n } else {\n var iteratorFn = getIteratorFn(children);\n if (iteratorFn) {\n var iterator = iteratorFn.call(children);\n var step;\n if (iteratorFn !== children.entries) {\n var ii = 0;\n while (!(step = iterator.next()).done) {\n child = step.value;\n nextName = nextNamePrefix + getComponentKey(child, ii++);\n subtreeCount += traverseAllChildrenImpl(child, nextName, callback, traverseContext);\n }\n } else {\n if (process.env.NODE_ENV !== 'production') {\n var mapsAsChildrenAddendum = '';\n if (ReactCurrentOwner.current) {\n var mapsAsChildrenOwnerName = ReactCurrentOwner.current.getName();\n if (mapsAsChildrenOwnerName) {\n mapsAsChildrenAddendum = ' Check the render method of `' + mapsAsChildrenOwnerName + '`.';\n }\n }\n process.env.NODE_ENV !== 'production' ? warning(didWarnAboutMaps, 'Using Maps as children is not yet fully supported. It is an ' + 'experimental feature that might be removed. Convert it to a ' + 'sequence / iterable of keyed ReactElements instead.%s', mapsAsChildrenAddendum) : void 0;\n didWarnAboutMaps = true;\n }\n // Iterator will provide entry [k,v] tuples rather than values.\n while (!(step = iterator.next()).done) {\n var entry = step.value;\n if (entry) {\n child = entry[1];\n nextName = nextNamePrefix + KeyEscapeUtils.escape(entry[0]) + SUBSEPARATOR + getComponentKey(child, 0);\n subtreeCount += traverseAllChildrenImpl(child, nextName, callback, traverseContext);\n }\n }\n }\n } else if (type === 'object') {\n var addendum = '';\n if (process.env.NODE_ENV !== 'production') {\n addendum = ' If you meant to render a collection of children, use an array ' + 'instead or wrap the object using createFragment(object) from the ' + 'React add-ons.';\n if (children._isReactElement) {\n addendum = \" It looks like you're using an element created by a different \" + 'version of React. Make sure to use only one copy of React.';\n }\n if (ReactCurrentOwner.current) {\n var name = ReactCurrentOwner.current.getName();\n if (name) {\n addendum += ' Check the render method of `' + name + '`.';\n }\n }\n }\n var childrenString = String(children);\n true ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Objects are not valid as a React child (found: %s).%s', childrenString === '[object Object]' ? 'object with keys {' + Object.keys(children).join(', ') + '}' : childrenString, addendum) : _prodInvariant('31', childrenString === '[object Object]' ? 'object with keys {' + Object.keys(children).join(', ') + '}' : childrenString, addendum) : void 0;\n }\n }\n\n return subtreeCount;\n}\n\n/**\n * Traverses children that are typically specified as `props.children`, but\n * might also be specified through attributes:\n *\n * - `traverseAllChildren(this.props.children, ...)`\n * - `traverseAllChildren(this.props.leftPanelChildren, ...)`\n *\n * The `traverseContext` is an optional argument that is passed through the\n * entire traversal. It can be used to store accumulations or anything else that\n * the callback might find relevant.\n *\n * @param {?*} children Children tree object.\n * @param {!function} callback To invoke upon traversing each child.\n * @param {?*} traverseContext Context for traversal.\n * @return {!number} The number of children in this subtree.\n */\nfunction traverseAllChildren(children, callback, traverseContext) {\n if (children == null) {\n return 0;\n }\n\n return traverseAllChildrenImpl(children, '', callback, traverseContext);\n}\n\nmodule.exports = traverseAllChildren;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/traverseAllChildren.js\n// module id = 345\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/traverseAllChildren.js?"); + +/***/ }), +/* 346 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\n/* global Symbol */\n\nvar ITERATOR_SYMBOL = typeof Symbol === 'function' && Symbol.iterator;\nvar FAUX_ITERATOR_SYMBOL = '@@iterator'; // Before Symbol spec.\n\n/**\n * Returns the iterator method function contained on the iterable object.\n *\n * Be sure to invoke the function with the iterable as context:\n *\n * var iteratorFn = getIteratorFn(myIterable);\n * if (iteratorFn) {\n * var iterator = iteratorFn.call(myIterable);\n * ...\n * }\n *\n * @param {?object} maybeIterable\n * @return {?function}\n */\nfunction getIteratorFn(maybeIterable) {\n var iteratorFn = maybeIterable && (ITERATOR_SYMBOL && maybeIterable[ITERATOR_SYMBOL] || maybeIterable[FAUX_ITERATOR_SYMBOL]);\n if (typeof iteratorFn === 'function') {\n return iteratorFn;\n }\n}\n\nmodule.exports = getIteratorFn;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/getIteratorFn.js\n// module id = 346\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/getIteratorFn.js?"); + +/***/ }), +/* 347 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\n/**\n * Escape and wrap key so it is safe to use as a reactid\n *\n * @param {string} key to be escaped.\n * @return {string} the escaped key.\n */\n\nfunction escape(key) {\n var escapeRegex = /[=:]/g;\n var escaperLookup = {\n '=': '=0',\n ':': '=2'\n };\n var escapedString = ('' + key).replace(escapeRegex, function (match) {\n return escaperLookup[match];\n });\n\n return '$' + escapedString;\n}\n\n/**\n * Unescape and unwrap key for human-readable display\n *\n * @param {string} key to unescape.\n * @return {string} the unescaped key.\n */\nfunction unescape(key) {\n var unescapeRegex = /(=0|=2)/g;\n var unescaperLookup = {\n '=0': '=',\n '=2': ':'\n };\n var keySubstring = key[0] === '.' && key[1] === '$' ? key.substring(2) : key.substring(1);\n\n return ('' + keySubstring).replace(unescapeRegex, function (match) {\n return unescaperLookup[match];\n });\n}\n\nvar KeyEscapeUtils = {\n escape: escape,\n unescape: unescape\n};\n\nmodule.exports = KeyEscapeUtils;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/KeyEscapeUtils.js\n// module id = 347\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/KeyEscapeUtils.js?"); + +/***/ }), +/* 348 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ReactElement = __webpack_require__(342);\n\n/**\n * Create a factory that creates HTML tag elements.\n *\n * @private\n */\nvar createDOMFactory = ReactElement.createFactory;\nif (process.env.NODE_ENV !== 'production') {\n var ReactElementValidator = __webpack_require__(349);\n createDOMFactory = ReactElementValidator.createFactory;\n}\n\n/**\n * Creates a mapping from supported HTML tags to `ReactDOMComponent` classes.\n *\n * @public\n */\nvar ReactDOMFactories = {\n a: createDOMFactory('a'),\n abbr: createDOMFactory('abbr'),\n address: createDOMFactory('address'),\n area: createDOMFactory('area'),\n article: createDOMFactory('article'),\n aside: createDOMFactory('aside'),\n audio: createDOMFactory('audio'),\n b: createDOMFactory('b'),\n base: createDOMFactory('base'),\n bdi: createDOMFactory('bdi'),\n bdo: createDOMFactory('bdo'),\n big: createDOMFactory('big'),\n blockquote: createDOMFactory('blockquote'),\n body: createDOMFactory('body'),\n br: createDOMFactory('br'),\n button: createDOMFactory('button'),\n canvas: createDOMFactory('canvas'),\n caption: createDOMFactory('caption'),\n cite: createDOMFactory('cite'),\n code: createDOMFactory('code'),\n col: createDOMFactory('col'),\n colgroup: createDOMFactory('colgroup'),\n data: createDOMFactory('data'),\n datalist: createDOMFactory('datalist'),\n dd: createDOMFactory('dd'),\n del: createDOMFactory('del'),\n details: createDOMFactory('details'),\n dfn: createDOMFactory('dfn'),\n dialog: createDOMFactory('dialog'),\n div: createDOMFactory('div'),\n dl: createDOMFactory('dl'),\n dt: createDOMFactory('dt'),\n em: createDOMFactory('em'),\n embed: createDOMFactory('embed'),\n fieldset: createDOMFactory('fieldset'),\n figcaption: createDOMFactory('figcaption'),\n figure: createDOMFactory('figure'),\n footer: createDOMFactory('footer'),\n form: createDOMFactory('form'),\n h1: createDOMFactory('h1'),\n h2: createDOMFactory('h2'),\n h3: createDOMFactory('h3'),\n h4: createDOMFactory('h4'),\n h5: createDOMFactory('h5'),\n h6: createDOMFactory('h6'),\n head: createDOMFactory('head'),\n header: createDOMFactory('header'),\n hgroup: createDOMFactory('hgroup'),\n hr: createDOMFactory('hr'),\n html: createDOMFactory('html'),\n i: createDOMFactory('i'),\n iframe: createDOMFactory('iframe'),\n img: createDOMFactory('img'),\n input: createDOMFactory('input'),\n ins: createDOMFactory('ins'),\n kbd: createDOMFactory('kbd'),\n keygen: createDOMFactory('keygen'),\n label: createDOMFactory('label'),\n legend: createDOMFactory('legend'),\n li: createDOMFactory('li'),\n link: createDOMFactory('link'),\n main: createDOMFactory('main'),\n map: createDOMFactory('map'),\n mark: createDOMFactory('mark'),\n menu: createDOMFactory('menu'),\n menuitem: createDOMFactory('menuitem'),\n meta: createDOMFactory('meta'),\n meter: createDOMFactory('meter'),\n nav: createDOMFactory('nav'),\n noscript: createDOMFactory('noscript'),\n object: createDOMFactory('object'),\n ol: createDOMFactory('ol'),\n optgroup: createDOMFactory('optgroup'),\n option: createDOMFactory('option'),\n output: createDOMFactory('output'),\n p: createDOMFactory('p'),\n param: createDOMFactory('param'),\n picture: createDOMFactory('picture'),\n pre: createDOMFactory('pre'),\n progress: createDOMFactory('progress'),\n q: createDOMFactory('q'),\n rp: createDOMFactory('rp'),\n rt: createDOMFactory('rt'),\n ruby: createDOMFactory('ruby'),\n s: createDOMFactory('s'),\n samp: createDOMFactory('samp'),\n script: createDOMFactory('script'),\n section: createDOMFactory('section'),\n select: createDOMFactory('select'),\n small: createDOMFactory('small'),\n source: createDOMFactory('source'),\n span: createDOMFactory('span'),\n strong: createDOMFactory('strong'),\n style: createDOMFactory('style'),\n sub: createDOMFactory('sub'),\n summary: createDOMFactory('summary'),\n sup: createDOMFactory('sup'),\n table: createDOMFactory('table'),\n tbody: createDOMFactory('tbody'),\n td: createDOMFactory('td'),\n textarea: createDOMFactory('textarea'),\n tfoot: createDOMFactory('tfoot'),\n th: createDOMFactory('th'),\n thead: createDOMFactory('thead'),\n time: createDOMFactory('time'),\n title: createDOMFactory('title'),\n tr: createDOMFactory('tr'),\n track: createDOMFactory('track'),\n u: createDOMFactory('u'),\n ul: createDOMFactory('ul'),\n 'var': createDOMFactory('var'),\n video: createDOMFactory('video'),\n wbr: createDOMFactory('wbr'),\n\n // SVG\n circle: createDOMFactory('circle'),\n clipPath: createDOMFactory('clipPath'),\n defs: createDOMFactory('defs'),\n ellipse: createDOMFactory('ellipse'),\n g: createDOMFactory('g'),\n image: createDOMFactory('image'),\n line: createDOMFactory('line'),\n linearGradient: createDOMFactory('linearGradient'),\n mask: createDOMFactory('mask'),\n path: createDOMFactory('path'),\n pattern: createDOMFactory('pattern'),\n polygon: createDOMFactory('polygon'),\n polyline: createDOMFactory('polyline'),\n radialGradient: createDOMFactory('radialGradient'),\n rect: createDOMFactory('rect'),\n stop: createDOMFactory('stop'),\n svg: createDOMFactory('svg'),\n text: createDOMFactory('text'),\n tspan: createDOMFactory('tspan')\n};\n\nmodule.exports = ReactDOMFactories;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactDOMFactories.js\n// module id = 348\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactDOMFactories.js?"); + +/***/ }), +/* 349 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2014-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n/**\n * ReactElementValidator provides a wrapper around a element factory\n * which validates the props passed to the element. This is intended to be\n * used only in DEV and could be replaced by a static type checker for languages\n * that support it.\n */\n\n'use strict';\n\nvar ReactCurrentOwner = __webpack_require__(343);\nvar ReactComponentTreeHook = __webpack_require__(350);\nvar ReactElement = __webpack_require__(342);\n\nvar checkReactTypeSpec = __webpack_require__(351);\n\nvar canDefineProperty = __webpack_require__(336);\nvar getIteratorFn = __webpack_require__(346);\nvar warning = __webpack_require__(334);\nvar lowPriorityWarning = __webpack_require__(339);\n\nfunction getDeclarationErrorAddendum() {\n if (ReactCurrentOwner.current) {\n var name = ReactCurrentOwner.current.getName();\n if (name) {\n return ' Check the render method of `' + name + '`.';\n }\n }\n return '';\n}\n\nfunction getSourceInfoErrorAddendum(elementProps) {\n if (elementProps !== null && elementProps !== undefined && elementProps.__source !== undefined) {\n var source = elementProps.__source;\n var fileName = source.fileName.replace(/^.*[\\\\\\/]/, '');\n var lineNumber = source.lineNumber;\n return ' Check your code at ' + fileName + ':' + lineNumber + '.';\n }\n return '';\n}\n\n/**\n * Warn if there's no key explicitly set on dynamic arrays of children or\n * object keys are not valid. This allows us to keep track of children between\n * updates.\n */\nvar ownerHasKeyUseWarning = {};\n\nfunction getCurrentComponentErrorInfo(parentType) {\n var info = getDeclarationErrorAddendum();\n\n if (!info) {\n var parentName = typeof parentType === 'string' ? parentType : parentType.displayName || parentType.name;\n if (parentName) {\n info = ' Check the top-level render call using <' + parentName + '>.';\n }\n }\n return info;\n}\n\n/**\n * Warn if the element doesn't have an explicit key assigned to it.\n * This element is in an array. The array could grow and shrink or be\n * reordered. All children that haven't already been validated are required to\n * have a \"key\" property assigned to it. Error statuses are cached so a warning\n * will only be shown once.\n *\n * @internal\n * @param {ReactElement} element Element that requires a key.\n * @param {*} parentType element's parent's type.\n */\nfunction validateExplicitKey(element, parentType) {\n if (!element._store || element._store.validated || element.key != null) {\n return;\n }\n element._store.validated = true;\n\n var memoizer = ownerHasKeyUseWarning.uniqueKey || (ownerHasKeyUseWarning.uniqueKey = {});\n\n var currentComponentErrorInfo = getCurrentComponentErrorInfo(parentType);\n if (memoizer[currentComponentErrorInfo]) {\n return;\n }\n memoizer[currentComponentErrorInfo] = true;\n\n // Usually the current owner is the offender, but if it accepts children as a\n // property, it may be the creator of the child that's responsible for\n // assigning it a key.\n var childOwner = '';\n if (element && element._owner && element._owner !== ReactCurrentOwner.current) {\n // Give the component that originally created this child.\n childOwner = ' It was passed a child from ' + element._owner.getName() + '.';\n }\n\n process.env.NODE_ENV !== 'production' ? warning(false, 'Each child in an array or iterator should have a unique \"key\" prop.' + '%s%s See https://fb.me/react-warning-keys for more information.%s', currentComponentErrorInfo, childOwner, ReactComponentTreeHook.getCurrentStackAddendum(element)) : void 0;\n}\n\n/**\n * Ensure that every element either is passed in a static location, in an\n * array with an explicit keys property defined, or in an object literal\n * with valid key property.\n *\n * @internal\n * @param {ReactNode} node Statically passed child of any type.\n * @param {*} parentType node's parent's type.\n */\nfunction validateChildKeys(node, parentType) {\n if (typeof node !== 'object') {\n return;\n }\n if (Array.isArray(node)) {\n for (var i = 0; i < node.length; i++) {\n var child = node[i];\n if (ReactElement.isValidElement(child)) {\n validateExplicitKey(child, parentType);\n }\n }\n } else if (ReactElement.isValidElement(node)) {\n // This element was passed in a valid location.\n if (node._store) {\n node._store.validated = true;\n }\n } else if (node) {\n var iteratorFn = getIteratorFn(node);\n // Entry iterators provide implicit keys.\n if (iteratorFn) {\n if (iteratorFn !== node.entries) {\n var iterator = iteratorFn.call(node);\n var step;\n while (!(step = iterator.next()).done) {\n if (ReactElement.isValidElement(step.value)) {\n validateExplicitKey(step.value, parentType);\n }\n }\n }\n }\n }\n}\n\n/**\n * Given an element, validate that its props follow the propTypes definition,\n * provided by the type.\n *\n * @param {ReactElement} element\n */\nfunction validatePropTypes(element) {\n var componentClass = element.type;\n if (typeof componentClass !== 'function') {\n return;\n }\n var name = componentClass.displayName || componentClass.name;\n if (componentClass.propTypes) {\n checkReactTypeSpec(componentClass.propTypes, element.props, 'prop', name, element, null);\n }\n if (typeof componentClass.getDefaultProps === 'function') {\n process.env.NODE_ENV !== 'production' ? warning(componentClass.getDefaultProps.isReactClassApproved, 'getDefaultProps is only used on classic React.createClass ' + 'definitions. Use a static property named `defaultProps` instead.') : void 0;\n }\n}\n\nvar ReactElementValidator = {\n createElement: function (type, props, children) {\n var validType = typeof type === 'string' || typeof type === 'function';\n // We warn in this case but don't throw. We expect the element creation to\n // succeed and there will likely be errors in render.\n if (!validType) {\n if (typeof type !== 'function' && typeof type !== 'string') {\n var info = '';\n if (type === undefined || typeof type === 'object' && type !== null && Object.keys(type).length === 0) {\n info += ' You likely forgot to export your component from the file ' + \"it's defined in.\";\n }\n\n var sourceInfo = getSourceInfoErrorAddendum(props);\n if (sourceInfo) {\n info += sourceInfo;\n } else {\n info += getDeclarationErrorAddendum();\n }\n\n info += ReactComponentTreeHook.getCurrentStackAddendum();\n\n var currentSource = props !== null && props !== undefined && props.__source !== undefined ? props.__source : null;\n ReactComponentTreeHook.pushNonStandardWarningStack(true, currentSource);\n process.env.NODE_ENV !== 'production' ? warning(false, 'React.createElement: type is invalid -- expected a string (for ' + 'built-in components) or a class/function (for composite ' + 'components) but got: %s.%s', type == null ? type : typeof type, info) : void 0;\n ReactComponentTreeHook.popNonStandardWarningStack();\n }\n }\n\n var element = ReactElement.createElement.apply(this, arguments);\n\n // The result can be nullish if a mock or a custom function is used.\n // TODO: Drop this when these are no longer allowed as the type argument.\n if (element == null) {\n return element;\n }\n\n // Skip key warning if the type isn't valid since our key validation logic\n // doesn't expect a non-string/function type and can throw confusing errors.\n // We don't want exception behavior to differ between dev and prod.\n // (Rendering will throw with a helpful message and as soon as the type is\n // fixed, the key warnings will appear.)\n if (validType) {\n for (var i = 2; i < arguments.length; i++) {\n validateChildKeys(arguments[i], type);\n }\n }\n\n validatePropTypes(element);\n\n return element;\n },\n\n createFactory: function (type) {\n var validatedFactory = ReactElementValidator.createElement.bind(null, type);\n // Legacy hook TODO: Warn if this is accessed\n validatedFactory.type = type;\n\n if (process.env.NODE_ENV !== 'production') {\n if (canDefineProperty) {\n Object.defineProperty(validatedFactory, 'type', {\n enumerable: false,\n get: function () {\n lowPriorityWarning(false, 'Factory.type is deprecated. Access the class directly ' + 'before passing it to createFactory.');\n Object.defineProperty(this, 'type', {\n value: type\n });\n return type;\n }\n });\n }\n }\n\n return validatedFactory;\n },\n\n cloneElement: function (element, props, children) {\n var newElement = ReactElement.cloneElement.apply(this, arguments);\n for (var i = 2; i < arguments.length; i++) {\n validateChildKeys(arguments[i], newElement.type);\n }\n validatePropTypes(newElement);\n return newElement;\n }\n};\n\nmodule.exports = ReactElementValidator;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactElementValidator.js\n// module id = 349\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactElementValidator.js?"); + +/***/ }), +/* 350 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2016-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(332);\n\nvar ReactCurrentOwner = __webpack_require__(343);\n\nvar invariant = __webpack_require__(338);\nvar warning = __webpack_require__(334);\n\nfunction isNative(fn) {\n // Based on isNative() from Lodash\n var funcToString = Function.prototype.toString;\n var hasOwnProperty = Object.prototype.hasOwnProperty;\n var reIsNative = RegExp('^' + funcToString\n // Take an example native function source for comparison\n .call(hasOwnProperty\n // Strip regex characters so we can use it for regex\n ).replace(/[\\\\^$.*+?()[\\]{}|]/g, '\\\\$&'\n // Remove hasOwnProperty from the template to make it generic\n ).replace(/hasOwnProperty|(function).*?(?=\\\\\\()| for .+?(?=\\\\\\])/g, '$1.*?') + '$');\n try {\n var source = funcToString.call(fn);\n return reIsNative.test(source);\n } catch (err) {\n return false;\n }\n}\n\nvar canUseCollections =\n// Array.from\ntypeof Array.from === 'function' &&\n// Map\ntypeof Map === 'function' && isNative(Map) &&\n// Map.prototype.keys\nMap.prototype != null && typeof Map.prototype.keys === 'function' && isNative(Map.prototype.keys) &&\n// Set\ntypeof Set === 'function' && isNative(Set) &&\n// Set.prototype.keys\nSet.prototype != null && typeof Set.prototype.keys === 'function' && isNative(Set.prototype.keys);\n\nvar setItem;\nvar getItem;\nvar removeItem;\nvar getItemIDs;\nvar addRoot;\nvar removeRoot;\nvar getRootIDs;\n\nif (canUseCollections) {\n var itemMap = new Map();\n var rootIDSet = new Set();\n\n setItem = function (id, item) {\n itemMap.set(id, item);\n };\n getItem = function (id) {\n return itemMap.get(id);\n };\n removeItem = function (id) {\n itemMap['delete'](id);\n };\n getItemIDs = function () {\n return Array.from(itemMap.keys());\n };\n\n addRoot = function (id) {\n rootIDSet.add(id);\n };\n removeRoot = function (id) {\n rootIDSet['delete'](id);\n };\n getRootIDs = function () {\n return Array.from(rootIDSet.keys());\n };\n} else {\n var itemByKey = {};\n var rootByKey = {};\n\n // Use non-numeric keys to prevent V8 performance issues:\n // https://github.com/facebook/react/pull/7232\n var getKeyFromID = function (id) {\n return '.' + id;\n };\n var getIDFromKey = function (key) {\n return parseInt(key.substr(1), 10);\n };\n\n setItem = function (id, item) {\n var key = getKeyFromID(id);\n itemByKey[key] = item;\n };\n getItem = function (id) {\n var key = getKeyFromID(id);\n return itemByKey[key];\n };\n removeItem = function (id) {\n var key = getKeyFromID(id);\n delete itemByKey[key];\n };\n getItemIDs = function () {\n return Object.keys(itemByKey).map(getIDFromKey);\n };\n\n addRoot = function (id) {\n var key = getKeyFromID(id);\n rootByKey[key] = true;\n };\n removeRoot = function (id) {\n var key = getKeyFromID(id);\n delete rootByKey[key];\n };\n getRootIDs = function () {\n return Object.keys(rootByKey).map(getIDFromKey);\n };\n}\n\nvar unmountedIDs = [];\n\nfunction purgeDeep(id) {\n var item = getItem(id);\n if (item) {\n var childIDs = item.childIDs;\n\n removeItem(id);\n childIDs.forEach(purgeDeep);\n }\n}\n\nfunction describeComponentFrame(name, source, ownerName) {\n return '\\n in ' + (name || 'Unknown') + (source ? ' (at ' + source.fileName.replace(/^.*[\\\\\\/]/, '') + ':' + source.lineNumber + ')' : ownerName ? ' (created by ' + ownerName + ')' : '');\n}\n\nfunction getDisplayName(element) {\n if (element == null) {\n return '#empty';\n } else if (typeof element === 'string' || typeof element === 'number') {\n return '#text';\n } else if (typeof element.type === 'string') {\n return element.type;\n } else {\n return element.type.displayName || element.type.name || 'Unknown';\n }\n}\n\nfunction describeID(id) {\n var name = ReactComponentTreeHook.getDisplayName(id);\n var element = ReactComponentTreeHook.getElement(id);\n var ownerID = ReactComponentTreeHook.getOwnerID(id);\n var ownerName;\n if (ownerID) {\n ownerName = ReactComponentTreeHook.getDisplayName(ownerID);\n }\n process.env.NODE_ENV !== 'production' ? warning(element, 'ReactComponentTreeHook: Missing React element for debugID %s when ' + 'building stack', id) : void 0;\n return describeComponentFrame(name, element && element._source, ownerName);\n}\n\nvar ReactComponentTreeHook = {\n onSetChildren: function (id, nextChildIDs) {\n var item = getItem(id);\n !item ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Item must have been set') : _prodInvariant('144') : void 0;\n item.childIDs = nextChildIDs;\n\n for (var i = 0; i < nextChildIDs.length; i++) {\n var nextChildID = nextChildIDs[i];\n var nextChild = getItem(nextChildID);\n !nextChild ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Expected hook events to fire for the child before its parent includes it in onSetChildren().') : _prodInvariant('140') : void 0;\n !(nextChild.childIDs != null || typeof nextChild.element !== 'object' || nextChild.element == null) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Expected onSetChildren() to fire for a container child before its parent includes it in onSetChildren().') : _prodInvariant('141') : void 0;\n !nextChild.isMounted ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Expected onMountComponent() to fire for the child before its parent includes it in onSetChildren().') : _prodInvariant('71') : void 0;\n if (nextChild.parentID == null) {\n nextChild.parentID = id;\n // TODO: This shouldn't be necessary but mounting a new root during in\n // componentWillMount currently causes not-yet-mounted components to\n // be purged from our tree data so their parent id is missing.\n }\n !(nextChild.parentID === id) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Expected onBeforeMountComponent() parent and onSetChildren() to be consistent (%s has parents %s and %s).', nextChildID, nextChild.parentID, id) : _prodInvariant('142', nextChildID, nextChild.parentID, id) : void 0;\n }\n },\n onBeforeMountComponent: function (id, element, parentID) {\n var item = {\n element: element,\n parentID: parentID,\n text: null,\n childIDs: [],\n isMounted: false,\n updateCount: 0\n };\n setItem(id, item);\n },\n onBeforeUpdateComponent: function (id, element) {\n var item = getItem(id);\n if (!item || !item.isMounted) {\n // We may end up here as a result of setState() in componentWillUnmount().\n // In this case, ignore the element.\n return;\n }\n item.element = element;\n },\n onMountComponent: function (id) {\n var item = getItem(id);\n !item ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Item must have been set') : _prodInvariant('144') : void 0;\n item.isMounted = true;\n var isRoot = item.parentID === 0;\n if (isRoot) {\n addRoot(id);\n }\n },\n onUpdateComponent: function (id) {\n var item = getItem(id);\n if (!item || !item.isMounted) {\n // We may end up here as a result of setState() in componentWillUnmount().\n // In this case, ignore the element.\n return;\n }\n item.updateCount++;\n },\n onUnmountComponent: function (id) {\n var item = getItem(id);\n if (item) {\n // We need to check if it exists.\n // `item` might not exist if it is inside an error boundary, and a sibling\n // error boundary child threw while mounting. Then this instance never\n // got a chance to mount, but it still gets an unmounting event during\n // the error boundary cleanup.\n item.isMounted = false;\n var isRoot = item.parentID === 0;\n if (isRoot) {\n removeRoot(id);\n }\n }\n unmountedIDs.push(id);\n },\n purgeUnmountedComponents: function () {\n if (ReactComponentTreeHook._preventPurging) {\n // Should only be used for testing.\n return;\n }\n\n for (var i = 0; i < unmountedIDs.length; i++) {\n var id = unmountedIDs[i];\n purgeDeep(id);\n }\n unmountedIDs.length = 0;\n },\n isMounted: function (id) {\n var item = getItem(id);\n return item ? item.isMounted : false;\n },\n getCurrentStackAddendum: function (topElement) {\n var info = '';\n if (topElement) {\n var name = getDisplayName(topElement);\n var owner = topElement._owner;\n info += describeComponentFrame(name, topElement._source, owner && owner.getName());\n }\n\n var currentOwner = ReactCurrentOwner.current;\n var id = currentOwner && currentOwner._debugID;\n\n info += ReactComponentTreeHook.getStackAddendumByID(id);\n return info;\n },\n getStackAddendumByID: function (id) {\n var info = '';\n while (id) {\n info += describeID(id);\n id = ReactComponentTreeHook.getParentID(id);\n }\n return info;\n },\n getChildIDs: function (id) {\n var item = getItem(id);\n return item ? item.childIDs : [];\n },\n getDisplayName: function (id) {\n var element = ReactComponentTreeHook.getElement(id);\n if (!element) {\n return null;\n }\n return getDisplayName(element);\n },\n getElement: function (id) {\n var item = getItem(id);\n return item ? item.element : null;\n },\n getOwnerID: function (id) {\n var element = ReactComponentTreeHook.getElement(id);\n if (!element || !element._owner) {\n return null;\n }\n return element._owner._debugID;\n },\n getParentID: function (id) {\n var item = getItem(id);\n return item ? item.parentID : null;\n },\n getSource: function (id) {\n var item = getItem(id);\n var element = item ? item.element : null;\n var source = element != null ? element._source : null;\n return source;\n },\n getText: function (id) {\n var element = ReactComponentTreeHook.getElement(id);\n if (typeof element === 'string') {\n return element;\n } else if (typeof element === 'number') {\n return '' + element;\n } else {\n return null;\n }\n },\n getUpdateCount: function (id) {\n var item = getItem(id);\n return item ? item.updateCount : 0;\n },\n\n\n getRootIDs: getRootIDs,\n getRegisteredIDs: getItemIDs,\n\n pushNonStandardWarningStack: function (isCreatingElement, currentSource) {\n if (typeof console.reactStack !== 'function') {\n return;\n }\n\n var stack = [];\n var currentOwner = ReactCurrentOwner.current;\n var id = currentOwner && currentOwner._debugID;\n\n try {\n if (isCreatingElement) {\n stack.push({\n name: id ? ReactComponentTreeHook.getDisplayName(id) : null,\n fileName: currentSource ? currentSource.fileName : null,\n lineNumber: currentSource ? currentSource.lineNumber : null\n });\n }\n\n while (id) {\n var element = ReactComponentTreeHook.getElement(id);\n var parentID = ReactComponentTreeHook.getParentID(id);\n var ownerID = ReactComponentTreeHook.getOwnerID(id);\n var ownerName = ownerID ? ReactComponentTreeHook.getDisplayName(ownerID) : null;\n var source = element && element._source;\n stack.push({\n name: ownerName,\n fileName: source ? source.fileName : null,\n lineNumber: source ? source.lineNumber : null\n });\n id = parentID;\n }\n } catch (err) {\n // Internal state is messed up.\n // Stop building the stack (it's just a nice to have).\n }\n\n console.reactStack(stack);\n },\n popNonStandardWarningStack: function () {\n if (typeof console.reactStackEnd !== 'function') {\n return;\n }\n console.reactStackEnd();\n }\n};\n\nmodule.exports = ReactComponentTreeHook;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactComponentTreeHook.js\n// module id = 350\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactComponentTreeHook.js?"); + +/***/ }), +/* 351 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(332);\n\nvar ReactPropTypeLocationNames = __webpack_require__(352);\nvar ReactPropTypesSecret = __webpack_require__(353);\n\nvar invariant = __webpack_require__(338);\nvar warning = __webpack_require__(334);\n\nvar ReactComponentTreeHook;\n\nif (typeof process !== 'undefined' && process.env && process.env.NODE_ENV === 'test') {\n // Temporary hack.\n // Inline requires don't work well with Jest:\n // https://github.com/facebook/react/issues/7240\n // Remove the inline requires when we don't need them anymore:\n // https://github.com/facebook/react/pull/7178\n ReactComponentTreeHook = __webpack_require__(350);\n}\n\nvar loggedTypeFailures = {};\n\n/**\n * Assert that the values match with the type specs.\n * Error messages are memorized and will only be shown once.\n *\n * @param {object} typeSpecs Map of name to a ReactPropType\n * @param {object} values Runtime values that need to be type-checked\n * @param {string} location e.g. \"prop\", \"context\", \"child context\"\n * @param {string} componentName Name of the component for error messages.\n * @param {?object} element The React element that is being type-checked\n * @param {?number} debugID The React component instance that is being type-checked\n * @private\n */\nfunction checkReactTypeSpec(typeSpecs, values, location, componentName, element, debugID) {\n for (var typeSpecName in typeSpecs) {\n if (typeSpecs.hasOwnProperty(typeSpecName)) {\n var error;\n // Prop type validation may throw. In case they do, we don't want to\n // fail the render phase where it didn't fail before. So we log it.\n // After these have been cleaned up, we'll let them throw.\n try {\n // This is intentionally an invariant that gets caught. It's the same\n // behavior as without this statement except with a better message.\n !(typeof typeSpecs[typeSpecName] === 'function') ? process.env.NODE_ENV !== 'production' ? invariant(false, '%s: %s type `%s` is invalid; it must be a function, usually from React.PropTypes.', componentName || 'React class', ReactPropTypeLocationNames[location], typeSpecName) : _prodInvariant('84', componentName || 'React class', ReactPropTypeLocationNames[location], typeSpecName) : void 0;\n error = typeSpecs[typeSpecName](values, typeSpecName, componentName, location, null, ReactPropTypesSecret);\n } catch (ex) {\n error = ex;\n }\n process.env.NODE_ENV !== 'production' ? warning(!error || error instanceof Error, '%s: type specification of %s `%s` is invalid; the type checker ' + 'function must return `null` or an `Error` but returned a %s. ' + 'You may have forgotten to pass an argument to the type checker ' + 'creator (arrayOf, instanceOf, objectOf, oneOf, oneOfType, and ' + 'shape all require an argument).', componentName || 'React class', ReactPropTypeLocationNames[location], typeSpecName, typeof error) : void 0;\n if (error instanceof Error && !(error.message in loggedTypeFailures)) {\n // Only monitor this failure once because there tends to be a lot of the\n // same error.\n loggedTypeFailures[error.message] = true;\n\n var componentStackInfo = '';\n\n if (process.env.NODE_ENV !== 'production') {\n if (!ReactComponentTreeHook) {\n ReactComponentTreeHook = __webpack_require__(350);\n }\n if (debugID !== null) {\n componentStackInfo = ReactComponentTreeHook.getStackAddendumByID(debugID);\n } else if (element !== null) {\n componentStackInfo = ReactComponentTreeHook.getCurrentStackAddendum(element);\n }\n }\n\n process.env.NODE_ENV !== 'production' ? warning(false, 'Failed %s type: %s%s', location, error.message, componentStackInfo) : void 0;\n }\n }\n }\n}\n\nmodule.exports = checkReactTypeSpec;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/checkReactTypeSpec.js\n// module id = 351\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/checkReactTypeSpec.js?"); + +/***/ }), +/* 352 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar ReactPropTypeLocationNames = {};\n\nif (process.env.NODE_ENV !== 'production') {\n ReactPropTypeLocationNames = {\n prop: 'prop',\n context: 'context',\n childContext: 'child context'\n };\n}\n\nmodule.exports = ReactPropTypeLocationNames;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactPropTypeLocationNames.js\n// module id = 352\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactPropTypeLocationNames.js?"); + +/***/ }), +/* 353 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar ReactPropTypesSecret = 'SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED';\n\nmodule.exports = ReactPropTypesSecret;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactPropTypesSecret.js\n// module id = 353\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactPropTypesSecret.js?"); + +/***/ }), +/* 354 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _require = __webpack_require__(342),\n isValidElement = _require.isValidElement;\n\nvar factory = __webpack_require__(355);\n\nmodule.exports = factory(isValidElement);\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactPropTypes.js\n// module id = 354\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactPropTypes.js?"); + +/***/ }), +/* 355 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n'use strict';\n\n// React 15.5 references this module, and assumes PropTypes are still callable in production.\n// Therefore we re-export development-only version with all the PropTypes checks here.\n// However if one is migrating to the `prop-types` npm library, they will go through the\n// `index.js` entry point, and it will branch depending on the environment.\nvar factory = __webpack_require__(356);\nmodule.exports = function(isValidElement) {\n // It is still allowed in 15.5.\n var throwOnDirectAccess = false;\n return factory(isValidElement, throwOnDirectAccess);\n};\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/prop-types/factory.js\n// module id = 355\n// module chunks = 0\n//# sourceURL=webpack:///./~/prop-types/factory.js?"); + +/***/ }), +/* 356 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n'use strict';\n\nvar emptyFunction = __webpack_require__(335);\nvar invariant = __webpack_require__(338);\nvar warning = __webpack_require__(334);\nvar assign = __webpack_require__(330);\n\nvar ReactPropTypesSecret = __webpack_require__(357);\nvar checkPropTypes = __webpack_require__(358);\n\nmodule.exports = function(isValidElement, throwOnDirectAccess) {\n /* global Symbol */\n var ITERATOR_SYMBOL = typeof Symbol === 'function' && Symbol.iterator;\n var FAUX_ITERATOR_SYMBOL = '@@iterator'; // Before Symbol spec.\n\n /**\n * Returns the iterator method function contained on the iterable object.\n *\n * Be sure to invoke the function with the iterable as context:\n *\n * var iteratorFn = getIteratorFn(myIterable);\n * if (iteratorFn) {\n * var iterator = iteratorFn.call(myIterable);\n * ...\n * }\n *\n * @param {?object} maybeIterable\n * @return {?function}\n */\n function getIteratorFn(maybeIterable) {\n var iteratorFn = maybeIterable && (ITERATOR_SYMBOL && maybeIterable[ITERATOR_SYMBOL] || maybeIterable[FAUX_ITERATOR_SYMBOL]);\n if (typeof iteratorFn === 'function') {\n return iteratorFn;\n }\n }\n\n /**\n * Collection of methods that allow declaration and validation of props that are\n * supplied to React components. Example usage:\n *\n * var Props = require('ReactPropTypes');\n * var MyArticle = React.createClass({\n * propTypes: {\n * // An optional string prop named \"description\".\n * description: Props.string,\n *\n * // A required enum prop named \"category\".\n * category: Props.oneOf(['News','Photos']).isRequired,\n *\n * // A prop named \"dialog\" that requires an instance of Dialog.\n * dialog: Props.instanceOf(Dialog).isRequired\n * },\n * render: function() { ... }\n * });\n *\n * A more formal specification of how these methods are used:\n *\n * type := array|bool|func|object|number|string|oneOf([...])|instanceOf(...)\n * decl := ReactPropTypes.{type}(.isRequired)?\n *\n * Each and every declaration produces a function with the same signature. This\n * allows the creation of custom validation functions. For example:\n *\n * var MyLink = React.createClass({\n * propTypes: {\n * // An optional string or URI prop named \"href\".\n * href: function(props, propName, componentName) {\n * var propValue = props[propName];\n * if (propValue != null && typeof propValue !== 'string' &&\n * !(propValue instanceof URI)) {\n * return new Error(\n * 'Expected a string or an URI for ' + propName + ' in ' +\n * componentName\n * );\n * }\n * }\n * },\n * render: function() {...}\n * });\n *\n * @internal\n */\n\n var ANONYMOUS = '<>';\n\n // Important!\n // Keep this list in sync with production version in `./factoryWithThrowingShims.js`.\n var ReactPropTypes = {\n array: createPrimitiveTypeChecker('array'),\n bool: createPrimitiveTypeChecker('boolean'),\n func: createPrimitiveTypeChecker('function'),\n number: createPrimitiveTypeChecker('number'),\n object: createPrimitiveTypeChecker('object'),\n string: createPrimitiveTypeChecker('string'),\n symbol: createPrimitiveTypeChecker('symbol'),\n\n any: createAnyTypeChecker(),\n arrayOf: createArrayOfTypeChecker,\n element: createElementTypeChecker(),\n instanceOf: createInstanceTypeChecker,\n node: createNodeChecker(),\n objectOf: createObjectOfTypeChecker,\n oneOf: createEnumTypeChecker,\n oneOfType: createUnionTypeChecker,\n shape: createShapeTypeChecker,\n exact: createStrictShapeTypeChecker,\n };\n\n /**\n * inlined Object.is polyfill to avoid requiring consumers ship their own\n * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is\n */\n /*eslint-disable no-self-compare*/\n function is(x, y) {\n // SameValue algorithm\n if (x === y) {\n // Steps 1-5, 7-10\n // Steps 6.b-6.e: +0 != -0\n return x !== 0 || 1 / x === 1 / y;\n } else {\n // Step 6.a: NaN == NaN\n return x !== x && y !== y;\n }\n }\n /*eslint-enable no-self-compare*/\n\n /**\n * We use an Error-like object for backward compatibility as people may call\n * PropTypes directly and inspect their output. However, we don't use real\n * Errors anymore. We don't inspect their stack anyway, and creating them\n * is prohibitively expensive if they are created too often, such as what\n * happens in oneOfType() for any type before the one that matched.\n */\n function PropTypeError(message) {\n this.message = message;\n this.stack = '';\n }\n // Make `instanceof Error` still work for returned errors.\n PropTypeError.prototype = Error.prototype;\n\n function createChainableTypeChecker(validate) {\n if (process.env.NODE_ENV !== 'production') {\n var manualPropTypeCallCache = {};\n var manualPropTypeWarningCount = 0;\n }\n function checkType(isRequired, props, propName, componentName, location, propFullName, secret) {\n componentName = componentName || ANONYMOUS;\n propFullName = propFullName || propName;\n\n if (secret !== ReactPropTypesSecret) {\n if (throwOnDirectAccess) {\n // New behavior only for users of `prop-types` package\n invariant(\n false,\n 'Calling PropTypes validators directly is not supported by the `prop-types` package. ' +\n 'Use `PropTypes.checkPropTypes()` to call them. ' +\n 'Read more at http://fb.me/use-check-prop-types'\n );\n } else if (process.env.NODE_ENV !== 'production' && typeof console !== 'undefined') {\n // Old behavior for people using React.PropTypes\n var cacheKey = componentName + ':' + propName;\n if (\n !manualPropTypeCallCache[cacheKey] &&\n // Avoid spamming the console because they are often not actionable except for lib authors\n manualPropTypeWarningCount < 3\n ) {\n warning(\n false,\n 'You are manually calling a React.PropTypes validation ' +\n 'function for the `%s` prop on `%s`. This is deprecated ' +\n 'and will throw in the standalone `prop-types` package. ' +\n 'You may be seeing this warning due to a third-party PropTypes ' +\n 'library. See https://fb.me/react-warning-dont-call-proptypes ' + 'for details.',\n propFullName,\n componentName\n );\n manualPropTypeCallCache[cacheKey] = true;\n manualPropTypeWarningCount++;\n }\n }\n }\n if (props[propName] == null) {\n if (isRequired) {\n if (props[propName] === null) {\n return new PropTypeError('The ' + location + ' `' + propFullName + '` is marked as required ' + ('in `' + componentName + '`, but its value is `null`.'));\n }\n return new PropTypeError('The ' + location + ' `' + propFullName + '` is marked as required in ' + ('`' + componentName + '`, but its value is `undefined`.'));\n }\n return null;\n } else {\n return validate(props, propName, componentName, location, propFullName);\n }\n }\n\n var chainedCheckType = checkType.bind(null, false);\n chainedCheckType.isRequired = checkType.bind(null, true);\n\n return chainedCheckType;\n }\n\n function createPrimitiveTypeChecker(expectedType) {\n function validate(props, propName, componentName, location, propFullName, secret) {\n var propValue = props[propName];\n var propType = getPropType(propValue);\n if (propType !== expectedType) {\n // `propValue` being instance of, say, date/regexp, pass the 'object'\n // check, but we can offer a more precise error message here rather than\n // 'of type `object`'.\n var preciseType = getPreciseType(propValue);\n\n return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type ' + ('`' + preciseType + '` supplied to `' + componentName + '`, expected ') + ('`' + expectedType + '`.'));\n }\n return null;\n }\n return createChainableTypeChecker(validate);\n }\n\n function createAnyTypeChecker() {\n return createChainableTypeChecker(emptyFunction.thatReturnsNull);\n }\n\n function createArrayOfTypeChecker(typeChecker) {\n function validate(props, propName, componentName, location, propFullName) {\n if (typeof typeChecker !== 'function') {\n return new PropTypeError('Property `' + propFullName + '` of component `' + componentName + '` has invalid PropType notation inside arrayOf.');\n }\n var propValue = props[propName];\n if (!Array.isArray(propValue)) {\n var propType = getPropType(propValue);\n return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type ' + ('`' + propType + '` supplied to `' + componentName + '`, expected an array.'));\n }\n for (var i = 0; i < propValue.length; i++) {\n var error = typeChecker(propValue, i, componentName, location, propFullName + '[' + i + ']', ReactPropTypesSecret);\n if (error instanceof Error) {\n return error;\n }\n }\n return null;\n }\n return createChainableTypeChecker(validate);\n }\n\n function createElementTypeChecker() {\n function validate(props, propName, componentName, location, propFullName) {\n var propValue = props[propName];\n if (!isValidElement(propValue)) {\n var propType = getPropType(propValue);\n return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type ' + ('`' + propType + '` supplied to `' + componentName + '`, expected a single ReactElement.'));\n }\n return null;\n }\n return createChainableTypeChecker(validate);\n }\n\n function createInstanceTypeChecker(expectedClass) {\n function validate(props, propName, componentName, location, propFullName) {\n if (!(props[propName] instanceof expectedClass)) {\n var expectedClassName = expectedClass.name || ANONYMOUS;\n var actualClassName = getClassName(props[propName]);\n return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type ' + ('`' + actualClassName + '` supplied to `' + componentName + '`, expected ') + ('instance of `' + expectedClassName + '`.'));\n }\n return null;\n }\n return createChainableTypeChecker(validate);\n }\n\n function createEnumTypeChecker(expectedValues) {\n if (!Array.isArray(expectedValues)) {\n process.env.NODE_ENV !== 'production' ? warning(false, 'Invalid argument supplied to oneOf, expected an instance of array.') : void 0;\n return emptyFunction.thatReturnsNull;\n }\n\n function validate(props, propName, componentName, location, propFullName) {\n var propValue = props[propName];\n for (var i = 0; i < expectedValues.length; i++) {\n if (is(propValue, expectedValues[i])) {\n return null;\n }\n }\n\n var valuesString = JSON.stringify(expectedValues);\n return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of value `' + propValue + '` ' + ('supplied to `' + componentName + '`, expected one of ' + valuesString + '.'));\n }\n return createChainableTypeChecker(validate);\n }\n\n function createObjectOfTypeChecker(typeChecker) {\n function validate(props, propName, componentName, location, propFullName) {\n if (typeof typeChecker !== 'function') {\n return new PropTypeError('Property `' + propFullName + '` of component `' + componentName + '` has invalid PropType notation inside objectOf.');\n }\n var propValue = props[propName];\n var propType = getPropType(propValue);\n if (propType !== 'object') {\n return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type ' + ('`' + propType + '` supplied to `' + componentName + '`, expected an object.'));\n }\n for (var key in propValue) {\n if (propValue.hasOwnProperty(key)) {\n var error = typeChecker(propValue, key, componentName, location, propFullName + '.' + key, ReactPropTypesSecret);\n if (error instanceof Error) {\n return error;\n }\n }\n }\n return null;\n }\n return createChainableTypeChecker(validate);\n }\n\n function createUnionTypeChecker(arrayOfTypeCheckers) {\n if (!Array.isArray(arrayOfTypeCheckers)) {\n process.env.NODE_ENV !== 'production' ? warning(false, 'Invalid argument supplied to oneOfType, expected an instance of array.') : void 0;\n return emptyFunction.thatReturnsNull;\n }\n\n for (var i = 0; i < arrayOfTypeCheckers.length; i++) {\n var checker = arrayOfTypeCheckers[i];\n if (typeof checker !== 'function') {\n warning(\n false,\n 'Invalid argument supplied to oneOfType. Expected an array of check functions, but ' +\n 'received %s at index %s.',\n getPostfixForTypeWarning(checker),\n i\n );\n return emptyFunction.thatReturnsNull;\n }\n }\n\n function validate(props, propName, componentName, location, propFullName) {\n for (var i = 0; i < arrayOfTypeCheckers.length; i++) {\n var checker = arrayOfTypeCheckers[i];\n if (checker(props, propName, componentName, location, propFullName, ReactPropTypesSecret) == null) {\n return null;\n }\n }\n\n return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` supplied to ' + ('`' + componentName + '`.'));\n }\n return createChainableTypeChecker(validate);\n }\n\n function createNodeChecker() {\n function validate(props, propName, componentName, location, propFullName) {\n if (!isNode(props[propName])) {\n return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` supplied to ' + ('`' + componentName + '`, expected a ReactNode.'));\n }\n return null;\n }\n return createChainableTypeChecker(validate);\n }\n\n function createShapeTypeChecker(shapeTypes) {\n function validate(props, propName, componentName, location, propFullName) {\n var propValue = props[propName];\n var propType = getPropType(propValue);\n if (propType !== 'object') {\n return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type `' + propType + '` ' + ('supplied to `' + componentName + '`, expected `object`.'));\n }\n for (var key in shapeTypes) {\n var checker = shapeTypes[key];\n if (!checker) {\n continue;\n }\n var error = checker(propValue, key, componentName, location, propFullName + '.' + key, ReactPropTypesSecret);\n if (error) {\n return error;\n }\n }\n return null;\n }\n return createChainableTypeChecker(validate);\n }\n\n function createStrictShapeTypeChecker(shapeTypes) {\n function validate(props, propName, componentName, location, propFullName) {\n var propValue = props[propName];\n var propType = getPropType(propValue);\n if (propType !== 'object') {\n return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type `' + propType + '` ' + ('supplied to `' + componentName + '`, expected `object`.'));\n }\n // We need to check all keys in case some are required but missing from\n // props.\n var allKeys = assign({}, props[propName], shapeTypes);\n for (var key in allKeys) {\n var checker = shapeTypes[key];\n if (!checker) {\n return new PropTypeError(\n 'Invalid ' + location + ' `' + propFullName + '` key `' + key + '` supplied to `' + componentName + '`.' +\n '\\nBad object: ' + JSON.stringify(props[propName], null, ' ') +\n '\\nValid keys: ' + JSON.stringify(Object.keys(shapeTypes), null, ' ')\n );\n }\n var error = checker(propValue, key, componentName, location, propFullName + '.' + key, ReactPropTypesSecret);\n if (error) {\n return error;\n }\n }\n return null;\n }\n\n return createChainableTypeChecker(validate);\n }\n\n function isNode(propValue) {\n switch (typeof propValue) {\n case 'number':\n case 'string':\n case 'undefined':\n return true;\n case 'boolean':\n return !propValue;\n case 'object':\n if (Array.isArray(propValue)) {\n return propValue.every(isNode);\n }\n if (propValue === null || isValidElement(propValue)) {\n return true;\n }\n\n var iteratorFn = getIteratorFn(propValue);\n if (iteratorFn) {\n var iterator = iteratorFn.call(propValue);\n var step;\n if (iteratorFn !== propValue.entries) {\n while (!(step = iterator.next()).done) {\n if (!isNode(step.value)) {\n return false;\n }\n }\n } else {\n // Iterator will provide entry [k,v] tuples rather than values.\n while (!(step = iterator.next()).done) {\n var entry = step.value;\n if (entry) {\n if (!isNode(entry[1])) {\n return false;\n }\n }\n }\n }\n } else {\n return false;\n }\n\n return true;\n default:\n return false;\n }\n }\n\n function isSymbol(propType, propValue) {\n // Native Symbol.\n if (propType === 'symbol') {\n return true;\n }\n\n // 19.4.3.5 Symbol.prototype[@@toStringTag] === 'Symbol'\n if (propValue['@@toStringTag'] === 'Symbol') {\n return true;\n }\n\n // Fallback for non-spec compliant Symbols which are polyfilled.\n if (typeof Symbol === 'function' && propValue instanceof Symbol) {\n return true;\n }\n\n return false;\n }\n\n // Equivalent of `typeof` but with special handling for array and regexp.\n function getPropType(propValue) {\n var propType = typeof propValue;\n if (Array.isArray(propValue)) {\n return 'array';\n }\n if (propValue instanceof RegExp) {\n // Old webkits (at least until Android 4.0) return 'function' rather than\n // 'object' for typeof a RegExp. We'll normalize this here so that /bla/\n // passes PropTypes.object.\n return 'object';\n }\n if (isSymbol(propType, propValue)) {\n return 'symbol';\n }\n return propType;\n }\n\n // This handles more types than `getPropType`. Only used for error messages.\n // See `createPrimitiveTypeChecker`.\n function getPreciseType(propValue) {\n if (typeof propValue === 'undefined' || propValue === null) {\n return '' + propValue;\n }\n var propType = getPropType(propValue);\n if (propType === 'object') {\n if (propValue instanceof Date) {\n return 'date';\n } else if (propValue instanceof RegExp) {\n return 'regexp';\n }\n }\n return propType;\n }\n\n // Returns a string that is postfixed to a warning about an invalid type.\n // For example, \"undefined\" or \"of type array\"\n function getPostfixForTypeWarning(value) {\n var type = getPreciseType(value);\n switch (type) {\n case 'array':\n case 'object':\n return 'an ' + type;\n case 'boolean':\n case 'date':\n case 'regexp':\n return 'a ' + type;\n default:\n return type;\n }\n }\n\n // Returns class name of the object, if any.\n function getClassName(propValue) {\n if (!propValue.constructor || !propValue.constructor.name) {\n return ANONYMOUS;\n }\n return propValue.constructor.name;\n }\n\n ReactPropTypes.checkPropTypes = checkPropTypes;\n ReactPropTypes.PropTypes = ReactPropTypes;\n\n return ReactPropTypes;\n};\n\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/prop-types/factoryWithTypeCheckers.js\n// module id = 356\n// module chunks = 0\n//# sourceURL=webpack:///./~/prop-types/factoryWithTypeCheckers.js?"); + +/***/ }), +/* 357 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n'use strict';\n\nvar ReactPropTypesSecret = 'SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED';\n\nmodule.exports = ReactPropTypesSecret;\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/prop-types/lib/ReactPropTypesSecret.js\n// module id = 357\n// module chunks = 0\n//# sourceURL=webpack:///./~/prop-types/lib/ReactPropTypesSecret.js?"); + +/***/ }), +/* 358 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n'use strict';\n\nif (process.env.NODE_ENV !== 'production') {\n var invariant = __webpack_require__(338);\n var warning = __webpack_require__(334);\n var ReactPropTypesSecret = __webpack_require__(357);\n var loggedTypeFailures = {};\n}\n\n/**\n * Assert that the values match with the type specs.\n * Error messages are memorized and will only be shown once.\n *\n * @param {object} typeSpecs Map of name to a ReactPropType\n * @param {object} values Runtime values that need to be type-checked\n * @param {string} location e.g. \"prop\", \"context\", \"child context\"\n * @param {string} componentName Name of the component for error messages.\n * @param {?Function} getStack Returns the component stack.\n * @private\n */\nfunction checkPropTypes(typeSpecs, values, location, componentName, getStack) {\n if (process.env.NODE_ENV !== 'production') {\n for (var typeSpecName in typeSpecs) {\n if (typeSpecs.hasOwnProperty(typeSpecName)) {\n var error;\n // Prop type validation may throw. In case they do, we don't want to\n // fail the render phase where it didn't fail before. So we log it.\n // After these have been cleaned up, we'll let them throw.\n try {\n // This is intentionally an invariant that gets caught. It's the same\n // behavior as without this statement except with a better message.\n invariant(typeof typeSpecs[typeSpecName] === 'function', '%s: %s type `%s` is invalid; it must be a function, usually from ' + 'the `prop-types` package, but received `%s`.', componentName || 'React class', location, typeSpecName, typeof typeSpecs[typeSpecName]);\n error = typeSpecs[typeSpecName](values, typeSpecName, componentName, location, null, ReactPropTypesSecret);\n } catch (ex) {\n error = ex;\n }\n warning(!error || error instanceof Error, '%s: type specification of %s `%s` is invalid; the type checker ' + 'function must return `null` or an `Error` but returned a %s. ' + 'You may have forgotten to pass an argument to the type checker ' + 'creator (arrayOf, instanceOf, objectOf, oneOf, oneOfType, and ' + 'shape all require an argument).', componentName || 'React class', location, typeSpecName, typeof error);\n if (error instanceof Error && !(error.message in loggedTypeFailures)) {\n // Only monitor this failure once because there tends to be a lot of the\n // same error.\n loggedTypeFailures[error.message] = true;\n\n var stack = getStack ? getStack() : '';\n\n warning(false, 'Failed %s type: %s%s', location, error.message, stack != null ? stack : '');\n }\n }\n }\n }\n}\n\nmodule.exports = checkPropTypes;\n\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/prop-types/checkPropTypes.js\n// module id = 358\n// module chunks = 0\n//# sourceURL=webpack:///./~/prop-types/checkPropTypes.js?"); + +/***/ }), +/* 359 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nmodule.exports = '15.6.2';\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/ReactVersion.js\n// module id = 359\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/ReactVersion.js?"); + +/***/ }), +/* 360 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _require = __webpack_require__(331),\n Component = _require.Component;\n\nvar _require2 = __webpack_require__(342),\n isValidElement = _require2.isValidElement;\n\nvar ReactNoopUpdateQueue = __webpack_require__(333);\nvar factory = __webpack_require__(361);\n\nmodule.exports = factory(Component, isValidElement, ReactNoopUpdateQueue);\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/createClass.js\n// module id = 360\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/createClass.js?"); + +/***/ }), +/* 361 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _assign = __webpack_require__(330);\n\nvar emptyObject = __webpack_require__(337);\nvar _invariant = __webpack_require__(338);\n\nif (process.env.NODE_ENV !== 'production') {\n var warning = __webpack_require__(334);\n}\n\nvar MIXINS_KEY = 'mixins';\n\n// Helper function to allow the creation of anonymous functions which do not\n// have .name set to the name of the variable being assigned to.\nfunction identity(fn) {\n return fn;\n}\n\nvar ReactPropTypeLocationNames;\nif (process.env.NODE_ENV !== 'production') {\n ReactPropTypeLocationNames = {\n prop: 'prop',\n context: 'context',\n childContext: 'child context'\n };\n} else {\n ReactPropTypeLocationNames = {};\n}\n\nfunction factory(ReactComponent, isValidElement, ReactNoopUpdateQueue) {\n /**\n * Policies that describe methods in `ReactClassInterface`.\n */\n\n var injectedMixins = [];\n\n /**\n * Composite components are higher-level components that compose other composite\n * or host components.\n *\n * To create a new type of `ReactClass`, pass a specification of\n * your new class to `React.createClass`. The only requirement of your class\n * specification is that you implement a `render` method.\n *\n * var MyComponent = React.createClass({\n * render: function() {\n * return
Hello World
;\n * }\n * });\n *\n * The class specification supports a specific protocol of methods that have\n * special meaning (e.g. `render`). See `ReactClassInterface` for\n * more the comprehensive protocol. Any other properties and methods in the\n * class specification will be available on the prototype.\n *\n * @interface ReactClassInterface\n * @internal\n */\n var ReactClassInterface = {\n /**\n * An array of Mixin objects to include when defining your component.\n *\n * @type {array}\n * @optional\n */\n mixins: 'DEFINE_MANY',\n\n /**\n * An object containing properties and methods that should be defined on\n * the component's constructor instead of its prototype (static methods).\n *\n * @type {object}\n * @optional\n */\n statics: 'DEFINE_MANY',\n\n /**\n * Definition of prop types for this component.\n *\n * @type {object}\n * @optional\n */\n propTypes: 'DEFINE_MANY',\n\n /**\n * Definition of context types for this component.\n *\n * @type {object}\n * @optional\n */\n contextTypes: 'DEFINE_MANY',\n\n /**\n * Definition of context types this component sets for its children.\n *\n * @type {object}\n * @optional\n */\n childContextTypes: 'DEFINE_MANY',\n\n // ==== Definition methods ====\n\n /**\n * Invoked when the component is mounted. Values in the mapping will be set on\n * `this.props` if that prop is not specified (i.e. using an `in` check).\n *\n * This method is invoked before `getInitialState` and therefore cannot rely\n * on `this.state` or use `this.setState`.\n *\n * @return {object}\n * @optional\n */\n getDefaultProps: 'DEFINE_MANY_MERGED',\n\n /**\n * Invoked once before the component is mounted. The return value will be used\n * as the initial value of `this.state`.\n *\n * getInitialState: function() {\n * return {\n * isOn: false,\n * fooBaz: new BazFoo()\n * }\n * }\n *\n * @return {object}\n * @optional\n */\n getInitialState: 'DEFINE_MANY_MERGED',\n\n /**\n * @return {object}\n * @optional\n */\n getChildContext: 'DEFINE_MANY_MERGED',\n\n /**\n * Uses props from `this.props` and state from `this.state` to render the\n * structure of the component.\n *\n * No guarantees are made about when or how often this method is invoked, so\n * it must not have side effects.\n *\n * render: function() {\n * var name = this.props.name;\n * return
Hello, {name}!
;\n * }\n *\n * @return {ReactComponent}\n * @required\n */\n render: 'DEFINE_ONCE',\n\n // ==== Delegate methods ====\n\n /**\n * Invoked when the component is initially created and about to be mounted.\n * This may have side effects, but any external subscriptions or data created\n * by this method must be cleaned up in `componentWillUnmount`.\n *\n * @optional\n */\n componentWillMount: 'DEFINE_MANY',\n\n /**\n * Invoked when the component has been mounted and has a DOM representation.\n * However, there is no guarantee that the DOM node is in the document.\n *\n * Use this as an opportunity to operate on the DOM when the component has\n * been mounted (initialized and rendered) for the first time.\n *\n * @param {DOMElement} rootNode DOM element representing the component.\n * @optional\n */\n componentDidMount: 'DEFINE_MANY',\n\n /**\n * Invoked before the component receives new props.\n *\n * Use this as an opportunity to react to a prop transition by updating the\n * state using `this.setState`. Current props are accessed via `this.props`.\n *\n * componentWillReceiveProps: function(nextProps, nextContext) {\n * this.setState({\n * likesIncreasing: nextProps.likeCount > this.props.likeCount\n * });\n * }\n *\n * NOTE: There is no equivalent `componentWillReceiveState`. An incoming prop\n * transition may cause a state change, but the opposite is not true. If you\n * need it, you are probably looking for `componentWillUpdate`.\n *\n * @param {object} nextProps\n * @optional\n */\n componentWillReceiveProps: 'DEFINE_MANY',\n\n /**\n * Invoked while deciding if the component should be updated as a result of\n * receiving new props, state and/or context.\n *\n * Use this as an opportunity to `return false` when you're certain that the\n * transition to the new props/state/context will not require a component\n * update.\n *\n * shouldComponentUpdate: function(nextProps, nextState, nextContext) {\n * return !equal(nextProps, this.props) ||\n * !equal(nextState, this.state) ||\n * !equal(nextContext, this.context);\n * }\n *\n * @param {object} nextProps\n * @param {?object} nextState\n * @param {?object} nextContext\n * @return {boolean} True if the component should update.\n * @optional\n */\n shouldComponentUpdate: 'DEFINE_ONCE',\n\n /**\n * Invoked when the component is about to update due to a transition from\n * `this.props`, `this.state` and `this.context` to `nextProps`, `nextState`\n * and `nextContext`.\n *\n * Use this as an opportunity to perform preparation before an update occurs.\n *\n * NOTE: You **cannot** use `this.setState()` in this method.\n *\n * @param {object} nextProps\n * @param {?object} nextState\n * @param {?object} nextContext\n * @param {ReactReconcileTransaction} transaction\n * @optional\n */\n componentWillUpdate: 'DEFINE_MANY',\n\n /**\n * Invoked when the component's DOM representation has been updated.\n *\n * Use this as an opportunity to operate on the DOM when the component has\n * been updated.\n *\n * @param {object} prevProps\n * @param {?object} prevState\n * @param {?object} prevContext\n * @param {DOMElement} rootNode DOM element representing the component.\n * @optional\n */\n componentDidUpdate: 'DEFINE_MANY',\n\n /**\n * Invoked when the component is about to be removed from its parent and have\n * its DOM representation destroyed.\n *\n * Use this as an opportunity to deallocate any external resources.\n *\n * NOTE: There is no `componentDidUnmount` since your component will have been\n * destroyed by that point.\n *\n * @optional\n */\n componentWillUnmount: 'DEFINE_MANY',\n\n /**\n * Replacement for (deprecated) `componentWillMount`.\n *\n * @optional\n */\n UNSAFE_componentWillMount: 'DEFINE_MANY',\n\n /**\n * Replacement for (deprecated) `componentWillReceiveProps`.\n *\n * @optional\n */\n UNSAFE_componentWillReceiveProps: 'DEFINE_MANY',\n\n /**\n * Replacement for (deprecated) `componentWillUpdate`.\n *\n * @optional\n */\n UNSAFE_componentWillUpdate: 'DEFINE_MANY',\n\n // ==== Advanced methods ====\n\n /**\n * Updates the component's currently mounted DOM representation.\n *\n * By default, this implements React's rendering and reconciliation algorithm.\n * Sophisticated clients may wish to override this.\n *\n * @param {ReactReconcileTransaction} transaction\n * @internal\n * @overridable\n */\n updateComponent: 'OVERRIDE_BASE'\n };\n\n /**\n * Similar to ReactClassInterface but for static methods.\n */\n var ReactClassStaticInterface = {\n /**\n * This method is invoked after a component is instantiated and when it\n * receives new props. Return an object to update state in response to\n * prop changes. Return null to indicate no change to state.\n *\n * If an object is returned, its keys will be merged into the existing state.\n *\n * @return {object || null}\n * @optional\n */\n getDerivedStateFromProps: 'DEFINE_MANY_MERGED'\n };\n\n /**\n * Mapping from class specification keys to special processing functions.\n *\n * Although these are declared like instance properties in the specification\n * when defining classes using `React.createClass`, they are actually static\n * and are accessible on the constructor instead of the prototype. Despite\n * being static, they must be defined outside of the \"statics\" key under\n * which all other static methods are defined.\n */\n var RESERVED_SPEC_KEYS = {\n displayName: function(Constructor, displayName) {\n Constructor.displayName = displayName;\n },\n mixins: function(Constructor, mixins) {\n if (mixins) {\n for (var i = 0; i < mixins.length; i++) {\n mixSpecIntoComponent(Constructor, mixins[i]);\n }\n }\n },\n childContextTypes: function(Constructor, childContextTypes) {\n if (process.env.NODE_ENV !== 'production') {\n validateTypeDef(Constructor, childContextTypes, 'childContext');\n }\n Constructor.childContextTypes = _assign(\n {},\n Constructor.childContextTypes,\n childContextTypes\n );\n },\n contextTypes: function(Constructor, contextTypes) {\n if (process.env.NODE_ENV !== 'production') {\n validateTypeDef(Constructor, contextTypes, 'context');\n }\n Constructor.contextTypes = _assign(\n {},\n Constructor.contextTypes,\n contextTypes\n );\n },\n /**\n * Special case getDefaultProps which should move into statics but requires\n * automatic merging.\n */\n getDefaultProps: function(Constructor, getDefaultProps) {\n if (Constructor.getDefaultProps) {\n Constructor.getDefaultProps = createMergedResultFunction(\n Constructor.getDefaultProps,\n getDefaultProps\n );\n } else {\n Constructor.getDefaultProps = getDefaultProps;\n }\n },\n propTypes: function(Constructor, propTypes) {\n if (process.env.NODE_ENV !== 'production') {\n validateTypeDef(Constructor, propTypes, 'prop');\n }\n Constructor.propTypes = _assign({}, Constructor.propTypes, propTypes);\n },\n statics: function(Constructor, statics) {\n mixStaticSpecIntoComponent(Constructor, statics);\n },\n autobind: function() {}\n };\n\n function validateTypeDef(Constructor, typeDef, location) {\n for (var propName in typeDef) {\n if (typeDef.hasOwnProperty(propName)) {\n // use a warning instead of an _invariant so components\n // don't show up in prod but only in __DEV__\n if (process.env.NODE_ENV !== 'production') {\n warning(\n typeof typeDef[propName] === 'function',\n '%s: %s type `%s` is invalid; it must be a function, usually from ' +\n 'React.PropTypes.',\n Constructor.displayName || 'ReactClass',\n ReactPropTypeLocationNames[location],\n propName\n );\n }\n }\n }\n }\n\n function validateMethodOverride(isAlreadyDefined, name) {\n var specPolicy = ReactClassInterface.hasOwnProperty(name)\n ? ReactClassInterface[name]\n : null;\n\n // Disallow overriding of base class methods unless explicitly allowed.\n if (ReactClassMixin.hasOwnProperty(name)) {\n _invariant(\n specPolicy === 'OVERRIDE_BASE',\n 'ReactClassInterface: You are attempting to override ' +\n '`%s` from your class specification. Ensure that your method names ' +\n 'do not overlap with React methods.',\n name\n );\n }\n\n // Disallow defining methods more than once unless explicitly allowed.\n if (isAlreadyDefined) {\n _invariant(\n specPolicy === 'DEFINE_MANY' || specPolicy === 'DEFINE_MANY_MERGED',\n 'ReactClassInterface: You are attempting to define ' +\n '`%s` on your component more than once. This conflict may be due ' +\n 'to a mixin.',\n name\n );\n }\n }\n\n /**\n * Mixin helper which handles policy validation and reserved\n * specification keys when building React classes.\n */\n function mixSpecIntoComponent(Constructor, spec) {\n if (!spec) {\n if (process.env.NODE_ENV !== 'production') {\n var typeofSpec = typeof spec;\n var isMixinValid = typeofSpec === 'object' && spec !== null;\n\n if (process.env.NODE_ENV !== 'production') {\n warning(\n isMixinValid,\n \"%s: You're attempting to include a mixin that is either null \" +\n 'or not an object. Check the mixins included by the component, ' +\n 'as well as any mixins they include themselves. ' +\n 'Expected object but got %s.',\n Constructor.displayName || 'ReactClass',\n spec === null ? null : typeofSpec\n );\n }\n }\n\n return;\n }\n\n _invariant(\n typeof spec !== 'function',\n \"ReactClass: You're attempting to \" +\n 'use a component class or function as a mixin. Instead, just use a ' +\n 'regular object.'\n );\n _invariant(\n !isValidElement(spec),\n \"ReactClass: You're attempting to \" +\n 'use a component as a mixin. Instead, just use a regular object.'\n );\n\n var proto = Constructor.prototype;\n var autoBindPairs = proto.__reactAutoBindPairs;\n\n // By handling mixins before any other properties, we ensure the same\n // chaining order is applied to methods with DEFINE_MANY policy, whether\n // mixins are listed before or after these methods in the spec.\n if (spec.hasOwnProperty(MIXINS_KEY)) {\n RESERVED_SPEC_KEYS.mixins(Constructor, spec.mixins);\n }\n\n for (var name in spec) {\n if (!spec.hasOwnProperty(name)) {\n continue;\n }\n\n if (name === MIXINS_KEY) {\n // We have already handled mixins in a special case above.\n continue;\n }\n\n var property = spec[name];\n var isAlreadyDefined = proto.hasOwnProperty(name);\n validateMethodOverride(isAlreadyDefined, name);\n\n if (RESERVED_SPEC_KEYS.hasOwnProperty(name)) {\n RESERVED_SPEC_KEYS[name](Constructor, property);\n } else {\n // Setup methods on prototype:\n // The following member methods should not be automatically bound:\n // 1. Expected ReactClass methods (in the \"interface\").\n // 2. Overridden methods (that were mixed in).\n var isReactClassMethod = ReactClassInterface.hasOwnProperty(name);\n var isFunction = typeof property === 'function';\n var shouldAutoBind =\n isFunction &&\n !isReactClassMethod &&\n !isAlreadyDefined &&\n spec.autobind !== false;\n\n if (shouldAutoBind) {\n autoBindPairs.push(name, property);\n proto[name] = property;\n } else {\n if (isAlreadyDefined) {\n var specPolicy = ReactClassInterface[name];\n\n // These cases should already be caught by validateMethodOverride.\n _invariant(\n isReactClassMethod &&\n (specPolicy === 'DEFINE_MANY_MERGED' ||\n specPolicy === 'DEFINE_MANY'),\n 'ReactClass: Unexpected spec policy %s for key %s ' +\n 'when mixing in component specs.',\n specPolicy,\n name\n );\n\n // For methods which are defined more than once, call the existing\n // methods before calling the new property, merging if appropriate.\n if (specPolicy === 'DEFINE_MANY_MERGED') {\n proto[name] = createMergedResultFunction(proto[name], property);\n } else if (specPolicy === 'DEFINE_MANY') {\n proto[name] = createChainedFunction(proto[name], property);\n }\n } else {\n proto[name] = property;\n if (process.env.NODE_ENV !== 'production') {\n // Add verbose displayName to the function, which helps when looking\n // at profiling tools.\n if (typeof property === 'function' && spec.displayName) {\n proto[name].displayName = spec.displayName + '_' + name;\n }\n }\n }\n }\n }\n }\n }\n\n function mixStaticSpecIntoComponent(Constructor, statics) {\n if (!statics) {\n return;\n }\n\n for (var name in statics) {\n var property = statics[name];\n if (!statics.hasOwnProperty(name)) {\n continue;\n }\n\n var isReserved = name in RESERVED_SPEC_KEYS;\n _invariant(\n !isReserved,\n 'ReactClass: You are attempting to define a reserved ' +\n 'property, `%s`, that shouldn\\'t be on the \"statics\" key. Define it ' +\n 'as an instance property instead; it will still be accessible on the ' +\n 'constructor.',\n name\n );\n\n var isAlreadyDefined = name in Constructor;\n if (isAlreadyDefined) {\n var specPolicy = ReactClassStaticInterface.hasOwnProperty(name)\n ? ReactClassStaticInterface[name]\n : null;\n\n _invariant(\n specPolicy === 'DEFINE_MANY_MERGED',\n 'ReactClass: You are attempting to define ' +\n '`%s` on your component more than once. This conflict may be ' +\n 'due to a mixin.',\n name\n );\n\n Constructor[name] = createMergedResultFunction(Constructor[name], property);\n\n return;\n }\n\n Constructor[name] = property;\n }\n }\n\n /**\n * Merge two objects, but throw if both contain the same key.\n *\n * @param {object} one The first object, which is mutated.\n * @param {object} two The second object\n * @return {object} one after it has been mutated to contain everything in two.\n */\n function mergeIntoWithNoDuplicateKeys(one, two) {\n _invariant(\n one && two && typeof one === 'object' && typeof two === 'object',\n 'mergeIntoWithNoDuplicateKeys(): Cannot merge non-objects.'\n );\n\n for (var key in two) {\n if (two.hasOwnProperty(key)) {\n _invariant(\n one[key] === undefined,\n 'mergeIntoWithNoDuplicateKeys(): ' +\n 'Tried to merge two objects with the same key: `%s`. This conflict ' +\n 'may be due to a mixin; in particular, this may be caused by two ' +\n 'getInitialState() or getDefaultProps() methods returning objects ' +\n 'with clashing keys.',\n key\n );\n one[key] = two[key];\n }\n }\n return one;\n }\n\n /**\n * Creates a function that invokes two functions and merges their return values.\n *\n * @param {function} one Function to invoke first.\n * @param {function} two Function to invoke second.\n * @return {function} Function that invokes the two argument functions.\n * @private\n */\n function createMergedResultFunction(one, two) {\n return function mergedResult() {\n var a = one.apply(this, arguments);\n var b = two.apply(this, arguments);\n if (a == null) {\n return b;\n } else if (b == null) {\n return a;\n }\n var c = {};\n mergeIntoWithNoDuplicateKeys(c, a);\n mergeIntoWithNoDuplicateKeys(c, b);\n return c;\n };\n }\n\n /**\n * Creates a function that invokes two functions and ignores their return vales.\n *\n * @param {function} one Function to invoke first.\n * @param {function} two Function to invoke second.\n * @return {function} Function that invokes the two argument functions.\n * @private\n */\n function createChainedFunction(one, two) {\n return function chainedFunction() {\n one.apply(this, arguments);\n two.apply(this, arguments);\n };\n }\n\n /**\n * Binds a method to the component.\n *\n * @param {object} component Component whose method is going to be bound.\n * @param {function} method Method to be bound.\n * @return {function} The bound method.\n */\n function bindAutoBindMethod(component, method) {\n var boundMethod = method.bind(component);\n if (process.env.NODE_ENV !== 'production') {\n boundMethod.__reactBoundContext = component;\n boundMethod.__reactBoundMethod = method;\n boundMethod.__reactBoundArguments = null;\n var componentName = component.constructor.displayName;\n var _bind = boundMethod.bind;\n boundMethod.bind = function(newThis) {\n for (\n var _len = arguments.length,\n args = Array(_len > 1 ? _len - 1 : 0),\n _key = 1;\n _key < _len;\n _key++\n ) {\n args[_key - 1] = arguments[_key];\n }\n\n // User is trying to bind() an autobound method; we effectively will\n // ignore the value of \"this\" that the user is trying to use, so\n // let's warn.\n if (newThis !== component && newThis !== null) {\n if (process.env.NODE_ENV !== 'production') {\n warning(\n false,\n 'bind(): React component methods may only be bound to the ' +\n 'component instance. See %s',\n componentName\n );\n }\n } else if (!args.length) {\n if (process.env.NODE_ENV !== 'production') {\n warning(\n false,\n 'bind(): You are binding a component method to the component. ' +\n 'React does this for you automatically in a high-performance ' +\n 'way, so you can safely remove this call. See %s',\n componentName\n );\n }\n return boundMethod;\n }\n var reboundMethod = _bind.apply(boundMethod, arguments);\n reboundMethod.__reactBoundContext = component;\n reboundMethod.__reactBoundMethod = method;\n reboundMethod.__reactBoundArguments = args;\n return reboundMethod;\n };\n }\n return boundMethod;\n }\n\n /**\n * Binds all auto-bound methods in a component.\n *\n * @param {object} component Component whose method is going to be bound.\n */\n function bindAutoBindMethods(component) {\n var pairs = component.__reactAutoBindPairs;\n for (var i = 0; i < pairs.length; i += 2) {\n var autoBindKey = pairs[i];\n var method = pairs[i + 1];\n component[autoBindKey] = bindAutoBindMethod(component, method);\n }\n }\n\n var IsMountedPreMixin = {\n componentDidMount: function() {\n this.__isMounted = true;\n }\n };\n\n var IsMountedPostMixin = {\n componentWillUnmount: function() {\n this.__isMounted = false;\n }\n };\n\n /**\n * Add more to the ReactClass base class. These are all legacy features and\n * therefore not already part of the modern ReactComponent.\n */\n var ReactClassMixin = {\n /**\n * TODO: This will be deprecated because state should always keep a consistent\n * type signature and the only use case for this, is to avoid that.\n */\n replaceState: function(newState, callback) {\n this.updater.enqueueReplaceState(this, newState, callback);\n },\n\n /**\n * Checks whether or not this composite component is mounted.\n * @return {boolean} True if mounted, false otherwise.\n * @protected\n * @final\n */\n isMounted: function() {\n if (process.env.NODE_ENV !== 'production') {\n warning(\n this.__didWarnIsMounted,\n '%s: isMounted is deprecated. Instead, make sure to clean up ' +\n 'subscriptions and pending requests in componentWillUnmount to ' +\n 'prevent memory leaks.',\n (this.constructor && this.constructor.displayName) ||\n this.name ||\n 'Component'\n );\n this.__didWarnIsMounted = true;\n }\n return !!this.__isMounted;\n }\n };\n\n var ReactClassComponent = function() {};\n _assign(\n ReactClassComponent.prototype,\n ReactComponent.prototype,\n ReactClassMixin\n );\n\n /**\n * Creates a composite component class given a class specification.\n * See https://facebook.github.io/react/docs/top-level-api.html#react.createclass\n *\n * @param {object} spec Class specification (which must define `render`).\n * @return {function} Component constructor function.\n * @public\n */\n function createClass(spec) {\n // To keep our warnings more understandable, we'll use a little hack here to\n // ensure that Constructor.name !== 'Constructor'. This makes sure we don't\n // unnecessarily identify a class without displayName as 'Constructor'.\n var Constructor = identity(function(props, context, updater) {\n // This constructor gets overridden by mocks. The argument is used\n // by mocks to assert on what gets mounted.\n\n if (process.env.NODE_ENV !== 'production') {\n warning(\n this instanceof Constructor,\n 'Something is calling a React component directly. Use a factory or ' +\n 'JSX instead. See: https://fb.me/react-legacyfactory'\n );\n }\n\n // Wire up auto-binding\n if (this.__reactAutoBindPairs.length) {\n bindAutoBindMethods(this);\n }\n\n this.props = props;\n this.context = context;\n this.refs = emptyObject;\n this.updater = updater || ReactNoopUpdateQueue;\n\n this.state = null;\n\n // ReactClasses doesn't have constructors. Instead, they use the\n // getInitialState and componentWillMount methods for initialization.\n\n var initialState = this.getInitialState ? this.getInitialState() : null;\n if (process.env.NODE_ENV !== 'production') {\n // We allow auto-mocks to proceed as if they're returning null.\n if (\n initialState === undefined &&\n this.getInitialState._isMockFunction\n ) {\n // This is probably bad practice. Consider warning here and\n // deprecating this convenience.\n initialState = null;\n }\n }\n _invariant(\n typeof initialState === 'object' && !Array.isArray(initialState),\n '%s.getInitialState(): must return an object or null',\n Constructor.displayName || 'ReactCompositeComponent'\n );\n\n this.state = initialState;\n });\n Constructor.prototype = new ReactClassComponent();\n Constructor.prototype.constructor = Constructor;\n Constructor.prototype.__reactAutoBindPairs = [];\n\n injectedMixins.forEach(mixSpecIntoComponent.bind(null, Constructor));\n\n mixSpecIntoComponent(Constructor, IsMountedPreMixin);\n mixSpecIntoComponent(Constructor, spec);\n mixSpecIntoComponent(Constructor, IsMountedPostMixin);\n\n // Initialize the defaultProps property after all mixins have been merged.\n if (Constructor.getDefaultProps) {\n Constructor.defaultProps = Constructor.getDefaultProps();\n }\n\n if (process.env.NODE_ENV !== 'production') {\n // This is a tag to indicate that the use of these method names is ok,\n // since it's used with createClass. If it's not, then it's likely a\n // mistake so we'll warn you to use the static property, property\n // initializer or constructor respectively.\n if (Constructor.getDefaultProps) {\n Constructor.getDefaultProps.isReactClassApproved = {};\n }\n if (Constructor.prototype.getInitialState) {\n Constructor.prototype.getInitialState.isReactClassApproved = {};\n }\n }\n\n _invariant(\n Constructor.prototype.render,\n 'createClass(...): Class specification must implement a `render` method.'\n );\n\n if (process.env.NODE_ENV !== 'production') {\n warning(\n !Constructor.prototype.componentShouldUpdate,\n '%s has a method called ' +\n 'componentShouldUpdate(). Did you mean shouldComponentUpdate()? ' +\n 'The name is phrased as a question because the function is ' +\n 'expected to return a value.',\n spec.displayName || 'A component'\n );\n warning(\n !Constructor.prototype.componentWillRecieveProps,\n '%s has a method called ' +\n 'componentWillRecieveProps(). Did you mean componentWillReceiveProps()?',\n spec.displayName || 'A component'\n );\n warning(\n !Constructor.prototype.UNSAFE_componentWillRecieveProps,\n '%s has a method called UNSAFE_componentWillRecieveProps(). ' +\n 'Did you mean UNSAFE_componentWillReceiveProps()?',\n spec.displayName || 'A component'\n );\n }\n\n // Reduce time spent doing lookups by setting these on the prototype.\n for (var methodName in ReactClassInterface) {\n if (!Constructor.prototype[methodName]) {\n Constructor.prototype[methodName] = null;\n }\n }\n\n return Constructor;\n }\n\n return createClass;\n}\n\nmodule.exports = factory;\n\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/create-react-class/factory.js\n// module id = 361\n// module chunks = 0\n//# sourceURL=webpack:///./~/create-react-class/factory.js?"); + +/***/ }), +/* 362 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n'use strict';\n\nvar _prodInvariant = __webpack_require__(332);\n\nvar ReactElement = __webpack_require__(342);\n\nvar invariant = __webpack_require__(338);\n\n/**\n * Returns the first child in a collection of children and verifies that there\n * is only one child in the collection.\n *\n * See https://facebook.github.io/react/docs/top-level-api.html#react.children.only\n *\n * The current implementation of this function assumes that a single child gets\n * passed without a wrapper, but the purpose of this helper function is to\n * abstract away the particular structure of children.\n *\n * @param {?object} children Child collection structure.\n * @return {ReactElement} The first and only `ReactElement` contained in the\n * structure.\n */\nfunction onlyChild(children) {\n !ReactElement.isValidElement(children) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'React.Children.only expected to receive a single React element child.') : _prodInvariant('143') : void 0;\n return children;\n}\n\nmodule.exports = onlyChild;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react/lib/onlyChild.js\n// module id = 362\n// module chunks = 0\n//# sourceURL=webpack:///./~/react/lib/onlyChild.js?"); + +/***/ }), +/* 363 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n\nmodule.exports = __webpack_require__(364);\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/index.js\n// module id = 363\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/index.js?"); + +/***/ }), +/* 364 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n/* globals __REACT_DEVTOOLS_GLOBAL_HOOK__*/\n\n'use strict';\n\nvar ReactDOMComponentTree = __webpack_require__(365);\nvar ReactDefaultInjection = __webpack_require__(369);\nvar ReactMount = __webpack_require__(498);\nvar ReactReconciler = __webpack_require__(390);\nvar ReactUpdates = __webpack_require__(387);\nvar ReactVersion = __webpack_require__(503);\n\nvar findDOMNode = __webpack_require__(504);\nvar getHostComponentFromComposite = __webpack_require__(505);\nvar renderSubtreeIntoContainer = __webpack_require__(506);\nvar warning = __webpack_require__(334);\n\nReactDefaultInjection.inject();\n\nvar ReactDOM = {\n findDOMNode: findDOMNode,\n render: ReactMount.render,\n unmountComponentAtNode: ReactMount.unmountComponentAtNode,\n version: ReactVersion,\n\n /* eslint-disable camelcase */\n unstable_batchedUpdates: ReactUpdates.batchedUpdates,\n unstable_renderSubtreeIntoContainer: renderSubtreeIntoContainer\n /* eslint-enable camelcase */\n};\n\n// Inject the runtime into a devtools global hook regardless of browser.\n// Allows for debugging when the hook is injected on the page.\nif (typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' && typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.inject === 'function') {\n __REACT_DEVTOOLS_GLOBAL_HOOK__.inject({\n ComponentTree: {\n getClosestInstanceFromNode: ReactDOMComponentTree.getClosestInstanceFromNode,\n getNodeFromInstance: function (inst) {\n // inst is an internal instance (but could be a composite)\n if (inst._renderedComponent) {\n inst = getHostComponentFromComposite(inst);\n }\n if (inst) {\n return ReactDOMComponentTree.getNodeFromInstance(inst);\n } else {\n return null;\n }\n }\n },\n Mount: ReactMount,\n Reconciler: ReactReconciler\n });\n}\n\nif (process.env.NODE_ENV !== 'production') {\n var ExecutionEnvironment = __webpack_require__(379);\n if (ExecutionEnvironment.canUseDOM && window.top === window.self) {\n // First check if devtools is not installed\n if (typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ === 'undefined') {\n // If we're in Chrome or Firefox, provide a download link if not installed.\n if (navigator.userAgent.indexOf('Chrome') > -1 && navigator.userAgent.indexOf('Edge') === -1 || navigator.userAgent.indexOf('Firefox') > -1) {\n // Firefox does not have the issue with devtools loaded over file://\n var showFileUrlMessage = window.location.protocol.indexOf('http') === -1 && navigator.userAgent.indexOf('Firefox') === -1;\n console.debug('Download the React DevTools ' + (showFileUrlMessage ? 'and use an HTTP server (instead of a file: URL) ' : '') + 'for a better development experience: ' + 'https://fb.me/react-devtools');\n }\n }\n\n var testFunc = function testFn() {};\n process.env.NODE_ENV !== 'production' ? warning((testFunc.name || testFunc.toString()).indexOf('testFn') !== -1, \"It looks like you're using a minified copy of the development build \" + 'of React. When deploying React apps to production, make sure to use ' + 'the production build which skips development warnings and is faster. ' + 'See https://fb.me/react-minification for more details.') : void 0;\n\n // If we're in IE8, check to see if we are in compatibility mode and provide\n // information on preventing compatibility mode\n var ieCompatibilityMode = document.documentMode && document.documentMode < 8;\n\n process.env.NODE_ENV !== 'production' ? warning(!ieCompatibilityMode, 'Internet Explorer is running in compatibility mode; please add the ' + 'following tag to your HTML to prevent this from happening: ' + '') : void 0;\n\n var expectedFeatures = [\n // shims\n Array.isArray, Array.prototype.every, Array.prototype.forEach, Array.prototype.indexOf, Array.prototype.map, Date.now, Function.prototype.bind, Object.keys, String.prototype.trim];\n\n for (var i = 0; i < expectedFeatures.length; i++) {\n if (!expectedFeatures[i]) {\n process.env.NODE_ENV !== 'production' ? warning(false, 'One or more ES5 shims expected by React are not available: ' + 'https://fb.me/react-warning-polyfills') : void 0;\n break;\n }\n }\n }\n}\n\nif (process.env.NODE_ENV !== 'production') {\n var ReactInstrumentation = __webpack_require__(393);\n var ReactDOMUnknownPropertyHook = __webpack_require__(507);\n var ReactDOMNullInputValuePropHook = __webpack_require__(508);\n var ReactDOMInvalidARIAHook = __webpack_require__(509);\n\n ReactInstrumentation.debugTool.addHook(ReactDOMUnknownPropertyHook);\n ReactInstrumentation.debugTool.addHook(ReactDOMNullInputValuePropHook);\n ReactInstrumentation.debugTool.addHook(ReactDOMInvalidARIAHook);\n}\n\nmodule.exports = ReactDOM;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactDOM.js\n// module id = 364\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactDOM.js?"); + +/***/ }), +/* 365 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nvar DOMProperty = __webpack_require__(367);\nvar ReactDOMComponentFlags = __webpack_require__(368);\n\nvar invariant = __webpack_require__(338);\n\nvar ATTR_NAME = DOMProperty.ID_ATTRIBUTE_NAME;\nvar Flags = ReactDOMComponentFlags;\n\nvar internalInstanceKey = '__reactInternalInstance$' + Math.random().toString(36).slice(2);\n\n/**\n * Check if a given node should be cached.\n */\nfunction shouldPrecacheNode(node, nodeID) {\n return node.nodeType === 1 && node.getAttribute(ATTR_NAME) === String(nodeID) || node.nodeType === 8 && node.nodeValue === ' react-text: ' + nodeID + ' ' || node.nodeType === 8 && node.nodeValue === ' react-empty: ' + nodeID + ' ';\n}\n\n/**\n * Drill down (through composites and empty components) until we get a host or\n * host text component.\n *\n * This is pretty polymorphic but unavoidable with the current structure we have\n * for `_renderedChildren`.\n */\nfunction getRenderedHostOrTextFromComponent(component) {\n var rendered;\n while (rendered = component._renderedComponent) {\n component = rendered;\n }\n return component;\n}\n\n/**\n * Populate `_hostNode` on the rendered host/text component with the given\n * DOM node. The passed `inst` can be a composite.\n */\nfunction precacheNode(inst, node) {\n var hostInst = getRenderedHostOrTextFromComponent(inst);\n hostInst._hostNode = node;\n node[internalInstanceKey] = hostInst;\n}\n\nfunction uncacheNode(inst) {\n var node = inst._hostNode;\n if (node) {\n delete node[internalInstanceKey];\n inst._hostNode = null;\n }\n}\n\n/**\n * Populate `_hostNode` on each child of `inst`, assuming that the children\n * match up with the DOM (element) children of `node`.\n *\n * We cache entire levels at once to avoid an n^2 problem where we access the\n * children of a node sequentially and have to walk from the start to our target\n * node every time.\n *\n * Since we update `_renderedChildren` and the actual DOM at (slightly)\n * different times, we could race here and see a newer `_renderedChildren` than\n * the DOM nodes we see. To avoid this, ReactMultiChild calls\n * `prepareToManageChildren` before we change `_renderedChildren`, at which\n * time the container's child nodes are always cached (until it unmounts).\n */\nfunction precacheChildNodes(inst, node) {\n if (inst._flags & Flags.hasCachedChildNodes) {\n return;\n }\n var children = inst._renderedChildren;\n var childNode = node.firstChild;\n outer: for (var name in children) {\n if (!children.hasOwnProperty(name)) {\n continue;\n }\n var childInst = children[name];\n var childID = getRenderedHostOrTextFromComponent(childInst)._domID;\n if (childID === 0) {\n // We're currently unmounting this child in ReactMultiChild; skip it.\n continue;\n }\n // We assume the child nodes are in the same order as the child instances.\n for (; childNode !== null; childNode = childNode.nextSibling) {\n if (shouldPrecacheNode(childNode, childID)) {\n precacheNode(childInst, childNode);\n continue outer;\n }\n }\n // We reached the end of the DOM children without finding an ID match.\n true ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Unable to find element with ID %s.', childID) : _prodInvariant('32', childID) : void 0;\n }\n inst._flags |= Flags.hasCachedChildNodes;\n}\n\n/**\n * Given a DOM node, return the closest ReactDOMComponent or\n * ReactDOMTextComponent instance ancestor.\n */\nfunction getClosestInstanceFromNode(node) {\n if (node[internalInstanceKey]) {\n return node[internalInstanceKey];\n }\n\n // Walk up the tree until we find an ancestor whose instance we have cached.\n var parents = [];\n while (!node[internalInstanceKey]) {\n parents.push(node);\n if (node.parentNode) {\n node = node.parentNode;\n } else {\n // Top of the tree. This node must not be part of a React tree (or is\n // unmounted, potentially).\n return null;\n }\n }\n\n var closest;\n var inst;\n for (; node && (inst = node[internalInstanceKey]); node = parents.pop()) {\n closest = inst;\n if (parents.length) {\n precacheChildNodes(inst, node);\n }\n }\n\n return closest;\n}\n\n/**\n * Given a DOM node, return the ReactDOMComponent or ReactDOMTextComponent\n * instance, or null if the node was not rendered by this React.\n */\nfunction getInstanceFromNode(node) {\n var inst = getClosestInstanceFromNode(node);\n if (inst != null && inst._hostNode === node) {\n return inst;\n } else {\n return null;\n }\n}\n\n/**\n * Given a ReactDOMComponent or ReactDOMTextComponent, return the corresponding\n * DOM node.\n */\nfunction getNodeFromInstance(inst) {\n // Without this first invariant, passing a non-DOM-component triggers the next\n // invariant for a missing parent, which is super confusing.\n !(inst._hostNode !== undefined) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'getNodeFromInstance: Invalid argument.') : _prodInvariant('33') : void 0;\n\n if (inst._hostNode) {\n return inst._hostNode;\n }\n\n // Walk up the tree until we find an ancestor whose DOM node we have cached.\n var parents = [];\n while (!inst._hostNode) {\n parents.push(inst);\n !inst._hostParent ? process.env.NODE_ENV !== 'production' ? invariant(false, 'React DOM tree root should always have a node reference.') : _prodInvariant('34') : void 0;\n inst = inst._hostParent;\n }\n\n // Now parents contains each ancestor that does *not* have a cached native\n // node, and `inst` is the deepest ancestor that does.\n for (; parents.length; inst = parents.pop()) {\n precacheChildNodes(inst, inst._hostNode);\n }\n\n return inst._hostNode;\n}\n\nvar ReactDOMComponentTree = {\n getClosestInstanceFromNode: getClosestInstanceFromNode,\n getInstanceFromNode: getInstanceFromNode,\n getNodeFromInstance: getNodeFromInstance,\n precacheChildNodes: precacheChildNodes,\n precacheNode: precacheNode,\n uncacheNode: uncacheNode\n};\n\nmodule.exports = ReactDOMComponentTree;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactDOMComponentTree.js\n// module id = 365\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactDOMComponentTree.js?"); + +/***/ }), +/* 366 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n'use strict';\n\n/**\n * WARNING: DO NOT manually require this module.\n * This is a replacement for `invariant(...)` used by the error code system\n * and will _only_ be required by the corresponding babel pass.\n * It always throws.\n */\n\nfunction reactProdInvariant(code) {\n var argCount = arguments.length - 1;\n\n var message = 'Minified React error #' + code + '; visit ' + 'http://facebook.github.io/react/docs/error-decoder.html?invariant=' + code;\n\n for (var argIdx = 0; argIdx < argCount; argIdx++) {\n message += '&args[]=' + encodeURIComponent(arguments[argIdx + 1]);\n }\n\n message += ' for the full message or use the non-minified dev environment' + ' for full errors and additional helpful warnings.';\n\n var error = new Error(message);\n error.name = 'Invariant Violation';\n error.framesToPop = 1; // we don't care about reactProdInvariant's own frame\n\n throw error;\n}\n\nmodule.exports = reactProdInvariant;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/reactProdInvariant.js\n// module id = 366\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/reactProdInvariant.js?"); + +/***/ }), +/* 367 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nvar invariant = __webpack_require__(338);\n\nfunction checkMask(value, bitmask) {\n return (value & bitmask) === bitmask;\n}\n\nvar DOMPropertyInjection = {\n /**\n * Mapping from normalized, camelcased property names to a configuration that\n * specifies how the associated DOM property should be accessed or rendered.\n */\n MUST_USE_PROPERTY: 0x1,\n HAS_BOOLEAN_VALUE: 0x4,\n HAS_NUMERIC_VALUE: 0x8,\n HAS_POSITIVE_NUMERIC_VALUE: 0x10 | 0x8,\n HAS_OVERLOADED_BOOLEAN_VALUE: 0x20,\n\n /**\n * Inject some specialized knowledge about the DOM. This takes a config object\n * with the following properties:\n *\n * isCustomAttribute: function that given an attribute name will return true\n * if it can be inserted into the DOM verbatim. Useful for data-* or aria-*\n * attributes where it's impossible to enumerate all of the possible\n * attribute names,\n *\n * Properties: object mapping DOM property name to one of the\n * DOMPropertyInjection constants or null. If your attribute isn't in here,\n * it won't get written to the DOM.\n *\n * DOMAttributeNames: object mapping React attribute name to the DOM\n * attribute name. Attribute names not specified use the **lowercase**\n * normalized name.\n *\n * DOMAttributeNamespaces: object mapping React attribute name to the DOM\n * attribute namespace URL. (Attribute names not specified use no namespace.)\n *\n * DOMPropertyNames: similar to DOMAttributeNames but for DOM properties.\n * Property names not specified use the normalized name.\n *\n * DOMMutationMethods: Properties that require special mutation methods. If\n * `value` is undefined, the mutation method should unset the property.\n *\n * @param {object} domPropertyConfig the config as described above.\n */\n injectDOMPropertyConfig: function (domPropertyConfig) {\n var Injection = DOMPropertyInjection;\n var Properties = domPropertyConfig.Properties || {};\n var DOMAttributeNamespaces = domPropertyConfig.DOMAttributeNamespaces || {};\n var DOMAttributeNames = domPropertyConfig.DOMAttributeNames || {};\n var DOMPropertyNames = domPropertyConfig.DOMPropertyNames || {};\n var DOMMutationMethods = domPropertyConfig.DOMMutationMethods || {};\n\n if (domPropertyConfig.isCustomAttribute) {\n DOMProperty._isCustomAttributeFunctions.push(domPropertyConfig.isCustomAttribute);\n }\n\n for (var propName in Properties) {\n !!DOMProperty.properties.hasOwnProperty(propName) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'injectDOMPropertyConfig(...): You\\'re trying to inject DOM property \\'%s\\' which has already been injected. You may be accidentally injecting the same DOM property config twice, or you may be injecting two configs that have conflicting property names.', propName) : _prodInvariant('48', propName) : void 0;\n\n var lowerCased = propName.toLowerCase();\n var propConfig = Properties[propName];\n\n var propertyInfo = {\n attributeName: lowerCased,\n attributeNamespace: null,\n propertyName: propName,\n mutationMethod: null,\n\n mustUseProperty: checkMask(propConfig, Injection.MUST_USE_PROPERTY),\n hasBooleanValue: checkMask(propConfig, Injection.HAS_BOOLEAN_VALUE),\n hasNumericValue: checkMask(propConfig, Injection.HAS_NUMERIC_VALUE),\n hasPositiveNumericValue: checkMask(propConfig, Injection.HAS_POSITIVE_NUMERIC_VALUE),\n hasOverloadedBooleanValue: checkMask(propConfig, Injection.HAS_OVERLOADED_BOOLEAN_VALUE)\n };\n !(propertyInfo.hasBooleanValue + propertyInfo.hasNumericValue + propertyInfo.hasOverloadedBooleanValue <= 1) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'DOMProperty: Value can be one of boolean, overloaded boolean, or numeric value, but not a combination: %s', propName) : _prodInvariant('50', propName) : void 0;\n\n if (process.env.NODE_ENV !== 'production') {\n DOMProperty.getPossibleStandardName[lowerCased] = propName;\n }\n\n if (DOMAttributeNames.hasOwnProperty(propName)) {\n var attributeName = DOMAttributeNames[propName];\n propertyInfo.attributeName = attributeName;\n if (process.env.NODE_ENV !== 'production') {\n DOMProperty.getPossibleStandardName[attributeName] = propName;\n }\n }\n\n if (DOMAttributeNamespaces.hasOwnProperty(propName)) {\n propertyInfo.attributeNamespace = DOMAttributeNamespaces[propName];\n }\n\n if (DOMPropertyNames.hasOwnProperty(propName)) {\n propertyInfo.propertyName = DOMPropertyNames[propName];\n }\n\n if (DOMMutationMethods.hasOwnProperty(propName)) {\n propertyInfo.mutationMethod = DOMMutationMethods[propName];\n }\n\n DOMProperty.properties[propName] = propertyInfo;\n }\n }\n};\n\n/* eslint-disable max-len */\nvar ATTRIBUTE_NAME_START_CHAR = ':A-Z_a-z\\\\u00C0-\\\\u00D6\\\\u00D8-\\\\u00F6\\\\u00F8-\\\\u02FF\\\\u0370-\\\\u037D\\\\u037F-\\\\u1FFF\\\\u200C-\\\\u200D\\\\u2070-\\\\u218F\\\\u2C00-\\\\u2FEF\\\\u3001-\\\\uD7FF\\\\uF900-\\\\uFDCF\\\\uFDF0-\\\\uFFFD';\n/* eslint-enable max-len */\n\n/**\n * DOMProperty exports lookup objects that can be used like functions:\n *\n * > DOMProperty.isValid['id']\n * true\n * > DOMProperty.isValid['foobar']\n * undefined\n *\n * Although this may be confusing, it performs better in general.\n *\n * @see http://jsperf.com/key-exists\n * @see http://jsperf.com/key-missing\n */\nvar DOMProperty = {\n ID_ATTRIBUTE_NAME: 'data-reactid',\n ROOT_ATTRIBUTE_NAME: 'data-reactroot',\n\n ATTRIBUTE_NAME_START_CHAR: ATTRIBUTE_NAME_START_CHAR,\n ATTRIBUTE_NAME_CHAR: ATTRIBUTE_NAME_START_CHAR + '\\\\-.0-9\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040',\n\n /**\n * Map from property \"standard name\" to an object with info about how to set\n * the property in the DOM. Each object contains:\n *\n * attributeName:\n * Used when rendering markup or with `*Attribute()`.\n * attributeNamespace\n * propertyName:\n * Used on DOM node instances. (This includes properties that mutate due to\n * external factors.)\n * mutationMethod:\n * If non-null, used instead of the property or `setAttribute()` after\n * initial render.\n * mustUseProperty:\n * Whether the property must be accessed and mutated as an object property.\n * hasBooleanValue:\n * Whether the property should be removed when set to a falsey value.\n * hasNumericValue:\n * Whether the property must be numeric or parse as a numeric and should be\n * removed when set to a falsey value.\n * hasPositiveNumericValue:\n * Whether the property must be positive numeric or parse as a positive\n * numeric and should be removed when set to a falsey value.\n * hasOverloadedBooleanValue:\n * Whether the property can be used as a flag as well as with a value.\n * Removed when strictly equal to false; present without a value when\n * strictly equal to true; present with a value otherwise.\n */\n properties: {},\n\n /**\n * Mapping from lowercase property names to the properly cased version, used\n * to warn in the case of missing properties. Available only in __DEV__.\n *\n * autofocus is predefined, because adding it to the property whitelist\n * causes unintended side effects.\n *\n * @type {Object}\n */\n getPossibleStandardName: process.env.NODE_ENV !== 'production' ? { autofocus: 'autoFocus' } : null,\n\n /**\n * All of the isCustomAttribute() functions that have been injected.\n */\n _isCustomAttributeFunctions: [],\n\n /**\n * Checks whether a property name is a custom attribute.\n * @method\n */\n isCustomAttribute: function (attributeName) {\n for (var i = 0; i < DOMProperty._isCustomAttributeFunctions.length; i++) {\n var isCustomAttributeFn = DOMProperty._isCustomAttributeFunctions[i];\n if (isCustomAttributeFn(attributeName)) {\n return true;\n }\n }\n return false;\n },\n\n injection: DOMPropertyInjection\n};\n\nmodule.exports = DOMProperty;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/DOMProperty.js\n// module id = 367\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/DOMProperty.js?"); + +/***/ }), +/* 368 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2015-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ReactDOMComponentFlags = {\n hasCachedChildNodes: 1 << 0\n};\n\nmodule.exports = ReactDOMComponentFlags;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactDOMComponentFlags.js\n// module id = 368\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactDOMComponentFlags.js?"); + +/***/ }), +/* 369 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ARIADOMPropertyConfig = __webpack_require__(370);\nvar BeforeInputEventPlugin = __webpack_require__(371);\nvar ChangeEventPlugin = __webpack_require__(386);\nvar DefaultEventPluginOrder = __webpack_require__(404);\nvar EnterLeaveEventPlugin = __webpack_require__(405);\nvar HTMLDOMPropertyConfig = __webpack_require__(410);\nvar ReactComponentBrowserEnvironment = __webpack_require__(411);\nvar ReactDOMComponent = __webpack_require__(424);\nvar ReactDOMComponentTree = __webpack_require__(365);\nvar ReactDOMEmptyComponent = __webpack_require__(469);\nvar ReactDOMTreeTraversal = __webpack_require__(470);\nvar ReactDOMTextComponent = __webpack_require__(471);\nvar ReactDefaultBatchingStrategy = __webpack_require__(472);\nvar ReactEventListener = __webpack_require__(473);\nvar ReactInjection = __webpack_require__(476);\nvar ReactReconcileTransaction = __webpack_require__(477);\nvar SVGDOMPropertyConfig = __webpack_require__(485);\nvar SelectEventPlugin = __webpack_require__(486);\nvar SimpleEventPlugin = __webpack_require__(487);\n\nvar alreadyInjected = false;\n\nfunction inject() {\n if (alreadyInjected) {\n // TODO: This is currently true because these injections are shared between\n // the client and the server package. They should be built independently\n // and not share any injection state. Then this problem will be solved.\n return;\n }\n alreadyInjected = true;\n\n ReactInjection.EventEmitter.injectReactEventListener(ReactEventListener);\n\n /**\n * Inject modules for resolving DOM hierarchy and plugin ordering.\n */\n ReactInjection.EventPluginHub.injectEventPluginOrder(DefaultEventPluginOrder);\n ReactInjection.EventPluginUtils.injectComponentTree(ReactDOMComponentTree);\n ReactInjection.EventPluginUtils.injectTreeTraversal(ReactDOMTreeTraversal);\n\n /**\n * Some important event plugins included by default (without having to require\n * them).\n */\n ReactInjection.EventPluginHub.injectEventPluginsByName({\n SimpleEventPlugin: SimpleEventPlugin,\n EnterLeaveEventPlugin: EnterLeaveEventPlugin,\n ChangeEventPlugin: ChangeEventPlugin,\n SelectEventPlugin: SelectEventPlugin,\n BeforeInputEventPlugin: BeforeInputEventPlugin\n });\n\n ReactInjection.HostComponent.injectGenericComponentClass(ReactDOMComponent);\n\n ReactInjection.HostComponent.injectTextComponentClass(ReactDOMTextComponent);\n\n ReactInjection.DOMProperty.injectDOMPropertyConfig(ARIADOMPropertyConfig);\n ReactInjection.DOMProperty.injectDOMPropertyConfig(HTMLDOMPropertyConfig);\n ReactInjection.DOMProperty.injectDOMPropertyConfig(SVGDOMPropertyConfig);\n\n ReactInjection.EmptyComponent.injectEmptyComponentFactory(function (instantiate) {\n return new ReactDOMEmptyComponent(instantiate);\n });\n\n ReactInjection.Updates.injectReconcileTransaction(ReactReconcileTransaction);\n ReactInjection.Updates.injectBatchingStrategy(ReactDefaultBatchingStrategy);\n\n ReactInjection.Component.injectEnvironment(ReactComponentBrowserEnvironment);\n}\n\nmodule.exports = {\n inject: inject\n};\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactDefaultInjection.js\n// module id = 369\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactDefaultInjection.js?"); + +/***/ }), +/* 370 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ARIADOMPropertyConfig = {\n Properties: {\n // Global States and Properties\n 'aria-current': 0, // state\n 'aria-details': 0,\n 'aria-disabled': 0, // state\n 'aria-hidden': 0, // state\n 'aria-invalid': 0, // state\n 'aria-keyshortcuts': 0,\n 'aria-label': 0,\n 'aria-roledescription': 0,\n // Widget Attributes\n 'aria-autocomplete': 0,\n 'aria-checked': 0,\n 'aria-expanded': 0,\n 'aria-haspopup': 0,\n 'aria-level': 0,\n 'aria-modal': 0,\n 'aria-multiline': 0,\n 'aria-multiselectable': 0,\n 'aria-orientation': 0,\n 'aria-placeholder': 0,\n 'aria-pressed': 0,\n 'aria-readonly': 0,\n 'aria-required': 0,\n 'aria-selected': 0,\n 'aria-sort': 0,\n 'aria-valuemax': 0,\n 'aria-valuemin': 0,\n 'aria-valuenow': 0,\n 'aria-valuetext': 0,\n // Live Region Attributes\n 'aria-atomic': 0,\n 'aria-busy': 0,\n 'aria-live': 0,\n 'aria-relevant': 0,\n // Drag-and-Drop Attributes\n 'aria-dropeffect': 0,\n 'aria-grabbed': 0,\n // Relationship Attributes\n 'aria-activedescendant': 0,\n 'aria-colcount': 0,\n 'aria-colindex': 0,\n 'aria-colspan': 0,\n 'aria-controls': 0,\n 'aria-describedby': 0,\n 'aria-errormessage': 0,\n 'aria-flowto': 0,\n 'aria-labelledby': 0,\n 'aria-owns': 0,\n 'aria-posinset': 0,\n 'aria-rowcount': 0,\n 'aria-rowindex': 0,\n 'aria-rowspan': 0,\n 'aria-setsize': 0\n },\n DOMAttributeNames: {},\n DOMPropertyNames: {}\n};\n\nmodule.exports = ARIADOMPropertyConfig;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ARIADOMPropertyConfig.js\n// module id = 370\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ARIADOMPropertyConfig.js?"); + +/***/ }), +/* 371 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar EventPropagators = __webpack_require__(372);\nvar ExecutionEnvironment = __webpack_require__(379);\nvar FallbackCompositionState = __webpack_require__(380);\nvar SyntheticCompositionEvent = __webpack_require__(383);\nvar SyntheticInputEvent = __webpack_require__(385);\n\nvar END_KEYCODES = [9, 13, 27, 32]; // Tab, Return, Esc, Space\nvar START_KEYCODE = 229;\n\nvar canUseCompositionEvent = ExecutionEnvironment.canUseDOM && 'CompositionEvent' in window;\n\nvar documentMode = null;\nif (ExecutionEnvironment.canUseDOM && 'documentMode' in document) {\n documentMode = document.documentMode;\n}\n\n// Webkit offers a very useful `textInput` event that can be used to\n// directly represent `beforeInput`. The IE `textinput` event is not as\n// useful, so we don't use it.\nvar canUseTextInputEvent = ExecutionEnvironment.canUseDOM && 'TextEvent' in window && !documentMode && !isPresto();\n\n// In IE9+, we have access to composition events, but the data supplied\n// by the native compositionend event may be incorrect. Japanese ideographic\n// spaces, for instance (\\u3000) are not recorded correctly.\nvar useFallbackCompositionData = ExecutionEnvironment.canUseDOM && (!canUseCompositionEvent || documentMode && documentMode > 8 && documentMode <= 11);\n\n/**\n * Opera <= 12 includes TextEvent in window, but does not fire\n * text input events. Rely on keypress instead.\n */\nfunction isPresto() {\n var opera = window.opera;\n return typeof opera === 'object' && typeof opera.version === 'function' && parseInt(opera.version(), 10) <= 12;\n}\n\nvar SPACEBAR_CODE = 32;\nvar SPACEBAR_CHAR = String.fromCharCode(SPACEBAR_CODE);\n\n// Events and their corresponding property names.\nvar eventTypes = {\n beforeInput: {\n phasedRegistrationNames: {\n bubbled: 'onBeforeInput',\n captured: 'onBeforeInputCapture'\n },\n dependencies: ['topCompositionEnd', 'topKeyPress', 'topTextInput', 'topPaste']\n },\n compositionEnd: {\n phasedRegistrationNames: {\n bubbled: 'onCompositionEnd',\n captured: 'onCompositionEndCapture'\n },\n dependencies: ['topBlur', 'topCompositionEnd', 'topKeyDown', 'topKeyPress', 'topKeyUp', 'topMouseDown']\n },\n compositionStart: {\n phasedRegistrationNames: {\n bubbled: 'onCompositionStart',\n captured: 'onCompositionStartCapture'\n },\n dependencies: ['topBlur', 'topCompositionStart', 'topKeyDown', 'topKeyPress', 'topKeyUp', 'topMouseDown']\n },\n compositionUpdate: {\n phasedRegistrationNames: {\n bubbled: 'onCompositionUpdate',\n captured: 'onCompositionUpdateCapture'\n },\n dependencies: ['topBlur', 'topCompositionUpdate', 'topKeyDown', 'topKeyPress', 'topKeyUp', 'topMouseDown']\n }\n};\n\n// Track whether we've ever handled a keypress on the space key.\nvar hasSpaceKeypress = false;\n\n/**\n * Return whether a native keypress event is assumed to be a command.\n * This is required because Firefox fires `keypress` events for key commands\n * (cut, copy, select-all, etc.) even though no character is inserted.\n */\nfunction isKeypressCommand(nativeEvent) {\n return (nativeEvent.ctrlKey || nativeEvent.altKey || nativeEvent.metaKey) &&\n // ctrlKey && altKey is equivalent to AltGr, and is not a command.\n !(nativeEvent.ctrlKey && nativeEvent.altKey);\n}\n\n/**\n * Translate native top level events into event types.\n *\n * @param {string} topLevelType\n * @return {object}\n */\nfunction getCompositionEventType(topLevelType) {\n switch (topLevelType) {\n case 'topCompositionStart':\n return eventTypes.compositionStart;\n case 'topCompositionEnd':\n return eventTypes.compositionEnd;\n case 'topCompositionUpdate':\n return eventTypes.compositionUpdate;\n }\n}\n\n/**\n * Does our fallback best-guess model think this event signifies that\n * composition has begun?\n *\n * @param {string} topLevelType\n * @param {object} nativeEvent\n * @return {boolean}\n */\nfunction isFallbackCompositionStart(topLevelType, nativeEvent) {\n return topLevelType === 'topKeyDown' && nativeEvent.keyCode === START_KEYCODE;\n}\n\n/**\n * Does our fallback mode think that this event is the end of composition?\n *\n * @param {string} topLevelType\n * @param {object} nativeEvent\n * @return {boolean}\n */\nfunction isFallbackCompositionEnd(topLevelType, nativeEvent) {\n switch (topLevelType) {\n case 'topKeyUp':\n // Command keys insert or clear IME input.\n return END_KEYCODES.indexOf(nativeEvent.keyCode) !== -1;\n case 'topKeyDown':\n // Expect IME keyCode on each keydown. If we get any other\n // code we must have exited earlier.\n return nativeEvent.keyCode !== START_KEYCODE;\n case 'topKeyPress':\n case 'topMouseDown':\n case 'topBlur':\n // Events are not possible without cancelling IME.\n return true;\n default:\n return false;\n }\n}\n\n/**\n * Google Input Tools provides composition data via a CustomEvent,\n * with the `data` property populated in the `detail` object. If this\n * is available on the event object, use it. If not, this is a plain\n * composition event and we have nothing special to extract.\n *\n * @param {object} nativeEvent\n * @return {?string}\n */\nfunction getDataFromCustomEvent(nativeEvent) {\n var detail = nativeEvent.detail;\n if (typeof detail === 'object' && 'data' in detail) {\n return detail.data;\n }\n return null;\n}\n\n// Track the current IME composition fallback object, if any.\nvar currentComposition = null;\n\n/**\n * @return {?object} A SyntheticCompositionEvent.\n */\nfunction extractCompositionEvent(topLevelType, targetInst, nativeEvent, nativeEventTarget) {\n var eventType;\n var fallbackData;\n\n if (canUseCompositionEvent) {\n eventType = getCompositionEventType(topLevelType);\n } else if (!currentComposition) {\n if (isFallbackCompositionStart(topLevelType, nativeEvent)) {\n eventType = eventTypes.compositionStart;\n }\n } else if (isFallbackCompositionEnd(topLevelType, nativeEvent)) {\n eventType = eventTypes.compositionEnd;\n }\n\n if (!eventType) {\n return null;\n }\n\n if (useFallbackCompositionData) {\n // The current composition is stored statically and must not be\n // overwritten while composition continues.\n if (!currentComposition && eventType === eventTypes.compositionStart) {\n currentComposition = FallbackCompositionState.getPooled(nativeEventTarget);\n } else if (eventType === eventTypes.compositionEnd) {\n if (currentComposition) {\n fallbackData = currentComposition.getData();\n }\n }\n }\n\n var event = SyntheticCompositionEvent.getPooled(eventType, targetInst, nativeEvent, nativeEventTarget);\n\n if (fallbackData) {\n // Inject data generated from fallback path into the synthetic event.\n // This matches the property of native CompositionEventInterface.\n event.data = fallbackData;\n } else {\n var customData = getDataFromCustomEvent(nativeEvent);\n if (customData !== null) {\n event.data = customData;\n }\n }\n\n EventPropagators.accumulateTwoPhaseDispatches(event);\n return event;\n}\n\n/**\n * @param {string} topLevelType Record from `EventConstants`.\n * @param {object} nativeEvent Native browser event.\n * @return {?string} The string corresponding to this `beforeInput` event.\n */\nfunction getNativeBeforeInputChars(topLevelType, nativeEvent) {\n switch (topLevelType) {\n case 'topCompositionEnd':\n return getDataFromCustomEvent(nativeEvent);\n case 'topKeyPress':\n /**\n * If native `textInput` events are available, our goal is to make\n * use of them. However, there is a special case: the spacebar key.\n * In Webkit, preventing default on a spacebar `textInput` event\n * cancels character insertion, but it *also* causes the browser\n * to fall back to its default spacebar behavior of scrolling the\n * page.\n *\n * Tracking at:\n * https://code.google.com/p/chromium/issues/detail?id=355103\n *\n * To avoid this issue, use the keypress event as if no `textInput`\n * event is available.\n */\n var which = nativeEvent.which;\n if (which !== SPACEBAR_CODE) {\n return null;\n }\n\n hasSpaceKeypress = true;\n return SPACEBAR_CHAR;\n\n case 'topTextInput':\n // Record the characters to be added to the DOM.\n var chars = nativeEvent.data;\n\n // If it's a spacebar character, assume that we have already handled\n // it at the keypress level and bail immediately. Android Chrome\n // doesn't give us keycodes, so we need to blacklist it.\n if (chars === SPACEBAR_CHAR && hasSpaceKeypress) {\n return null;\n }\n\n return chars;\n\n default:\n // For other native event types, do nothing.\n return null;\n }\n}\n\n/**\n * For browsers that do not provide the `textInput` event, extract the\n * appropriate string to use for SyntheticInputEvent.\n *\n * @param {string} topLevelType Record from `EventConstants`.\n * @param {object} nativeEvent Native browser event.\n * @return {?string} The fallback string for this `beforeInput` event.\n */\nfunction getFallbackBeforeInputChars(topLevelType, nativeEvent) {\n // If we are currently composing (IME) and using a fallback to do so,\n // try to extract the composed characters from the fallback object.\n // If composition event is available, we extract a string only at\n // compositionevent, otherwise extract it at fallback events.\n if (currentComposition) {\n if (topLevelType === 'topCompositionEnd' || !canUseCompositionEvent && isFallbackCompositionEnd(topLevelType, nativeEvent)) {\n var chars = currentComposition.getData();\n FallbackCompositionState.release(currentComposition);\n currentComposition = null;\n return chars;\n }\n return null;\n }\n\n switch (topLevelType) {\n case 'topPaste':\n // If a paste event occurs after a keypress, throw out the input\n // chars. Paste events should not lead to BeforeInput events.\n return null;\n case 'topKeyPress':\n /**\n * As of v27, Firefox may fire keypress events even when no character\n * will be inserted. A few possibilities:\n *\n * - `which` is `0`. Arrow keys, Esc key, etc.\n *\n * - `which` is the pressed key code, but no char is available.\n * Ex: 'AltGr + d` in Polish. There is no modified character for\n * this key combination and no character is inserted into the\n * document, but FF fires the keypress for char code `100` anyway.\n * No `input` event will occur.\n *\n * - `which` is the pressed key code, but a command combination is\n * being used. Ex: `Cmd+C`. No character is inserted, and no\n * `input` event will occur.\n */\n if (nativeEvent.which && !isKeypressCommand(nativeEvent)) {\n return String.fromCharCode(nativeEvent.which);\n }\n return null;\n case 'topCompositionEnd':\n return useFallbackCompositionData ? null : nativeEvent.data;\n default:\n return null;\n }\n}\n\n/**\n * Extract a SyntheticInputEvent for `beforeInput`, based on either native\n * `textInput` or fallback behavior.\n *\n * @return {?object} A SyntheticInputEvent.\n */\nfunction extractBeforeInputEvent(topLevelType, targetInst, nativeEvent, nativeEventTarget) {\n var chars;\n\n if (canUseTextInputEvent) {\n chars = getNativeBeforeInputChars(topLevelType, nativeEvent);\n } else {\n chars = getFallbackBeforeInputChars(topLevelType, nativeEvent);\n }\n\n // If no characters are being inserted, no BeforeInput event should\n // be fired.\n if (!chars) {\n return null;\n }\n\n var event = SyntheticInputEvent.getPooled(eventTypes.beforeInput, targetInst, nativeEvent, nativeEventTarget);\n\n event.data = chars;\n EventPropagators.accumulateTwoPhaseDispatches(event);\n return event;\n}\n\n/**\n * Create an `onBeforeInput` event to match\n * http://www.w3.org/TR/2013/WD-DOM-Level-3-Events-20131105/#events-inputevents.\n *\n * This event plugin is based on the native `textInput` event\n * available in Chrome, Safari, Opera, and IE. This event fires after\n * `onKeyPress` and `onCompositionEnd`, but before `onInput`.\n *\n * `beforeInput` is spec'd but not implemented in any browsers, and\n * the `input` event does not provide any useful information about what has\n * actually been added, contrary to the spec. Thus, `textInput` is the best\n * available event to identify the characters that have actually been inserted\n * into the target node.\n *\n * This plugin is also responsible for emitting `composition` events, thus\n * allowing us to share composition fallback code for both `beforeInput` and\n * `composition` event types.\n */\nvar BeforeInputEventPlugin = {\n eventTypes: eventTypes,\n\n extractEvents: function (topLevelType, targetInst, nativeEvent, nativeEventTarget) {\n return [extractCompositionEvent(topLevelType, targetInst, nativeEvent, nativeEventTarget), extractBeforeInputEvent(topLevelType, targetInst, nativeEvent, nativeEventTarget)];\n }\n};\n\nmodule.exports = BeforeInputEventPlugin;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/BeforeInputEventPlugin.js\n// module id = 371\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/BeforeInputEventPlugin.js?"); + +/***/ }), +/* 372 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar EventPluginHub = __webpack_require__(373);\nvar EventPluginUtils = __webpack_require__(375);\n\nvar accumulateInto = __webpack_require__(377);\nvar forEachAccumulated = __webpack_require__(378);\nvar warning = __webpack_require__(334);\n\nvar getListener = EventPluginHub.getListener;\n\n/**\n * Some event types have a notion of different registration names for different\n * \"phases\" of propagation. This finds listeners by a given phase.\n */\nfunction listenerAtPhase(inst, event, propagationPhase) {\n var registrationName = event.dispatchConfig.phasedRegistrationNames[propagationPhase];\n return getListener(inst, registrationName);\n}\n\n/**\n * Tags a `SyntheticEvent` with dispatched listeners. Creating this function\n * here, allows us to not have to bind or create functions for each event.\n * Mutating the event's members allows us to not have to create a wrapping\n * \"dispatch\" object that pairs the event with the listener.\n */\nfunction accumulateDirectionalDispatches(inst, phase, event) {\n if (process.env.NODE_ENV !== 'production') {\n process.env.NODE_ENV !== 'production' ? warning(inst, 'Dispatching inst must not be null') : void 0;\n }\n var listener = listenerAtPhase(inst, event, phase);\n if (listener) {\n event._dispatchListeners = accumulateInto(event._dispatchListeners, listener);\n event._dispatchInstances = accumulateInto(event._dispatchInstances, inst);\n }\n}\n\n/**\n * Collect dispatches (must be entirely collected before dispatching - see unit\n * tests). Lazily allocate the array to conserve memory. We must loop through\n * each event and perform the traversal for each one. We cannot perform a\n * single traversal for the entire collection of events because each event may\n * have a different target.\n */\nfunction accumulateTwoPhaseDispatchesSingle(event) {\n if (event && event.dispatchConfig.phasedRegistrationNames) {\n EventPluginUtils.traverseTwoPhase(event._targetInst, accumulateDirectionalDispatches, event);\n }\n}\n\n/**\n * Same as `accumulateTwoPhaseDispatchesSingle`, but skips over the targetID.\n */\nfunction accumulateTwoPhaseDispatchesSingleSkipTarget(event) {\n if (event && event.dispatchConfig.phasedRegistrationNames) {\n var targetInst = event._targetInst;\n var parentInst = targetInst ? EventPluginUtils.getParentInstance(targetInst) : null;\n EventPluginUtils.traverseTwoPhase(parentInst, accumulateDirectionalDispatches, event);\n }\n}\n\n/**\n * Accumulates without regard to direction, does not look for phased\n * registration names. Same as `accumulateDirectDispatchesSingle` but without\n * requiring that the `dispatchMarker` be the same as the dispatched ID.\n */\nfunction accumulateDispatches(inst, ignoredDirection, event) {\n if (event && event.dispatchConfig.registrationName) {\n var registrationName = event.dispatchConfig.registrationName;\n var listener = getListener(inst, registrationName);\n if (listener) {\n event._dispatchListeners = accumulateInto(event._dispatchListeners, listener);\n event._dispatchInstances = accumulateInto(event._dispatchInstances, inst);\n }\n }\n}\n\n/**\n * Accumulates dispatches on an `SyntheticEvent`, but only for the\n * `dispatchMarker`.\n * @param {SyntheticEvent} event\n */\nfunction accumulateDirectDispatchesSingle(event) {\n if (event && event.dispatchConfig.registrationName) {\n accumulateDispatches(event._targetInst, null, event);\n }\n}\n\nfunction accumulateTwoPhaseDispatches(events) {\n forEachAccumulated(events, accumulateTwoPhaseDispatchesSingle);\n}\n\nfunction accumulateTwoPhaseDispatchesSkipTarget(events) {\n forEachAccumulated(events, accumulateTwoPhaseDispatchesSingleSkipTarget);\n}\n\nfunction accumulateEnterLeaveDispatches(leave, enter, from, to) {\n EventPluginUtils.traverseEnterLeave(from, to, accumulateDispatches, leave, enter);\n}\n\nfunction accumulateDirectDispatches(events) {\n forEachAccumulated(events, accumulateDirectDispatchesSingle);\n}\n\n/**\n * A small set of propagation patterns, each of which will accept a small amount\n * of information, and generate a set of \"dispatch ready event objects\" - which\n * are sets of events that have already been annotated with a set of dispatched\n * listener functions/ids. The API is designed this way to discourage these\n * propagation strategies from actually executing the dispatches, since we\n * always want to collect the entire set of dispatches before executing event a\n * single one.\n *\n * @constructor EventPropagators\n */\nvar EventPropagators = {\n accumulateTwoPhaseDispatches: accumulateTwoPhaseDispatches,\n accumulateTwoPhaseDispatchesSkipTarget: accumulateTwoPhaseDispatchesSkipTarget,\n accumulateDirectDispatches: accumulateDirectDispatches,\n accumulateEnterLeaveDispatches: accumulateEnterLeaveDispatches\n};\n\nmodule.exports = EventPropagators;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/EventPropagators.js\n// module id = 372\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/EventPropagators.js?"); + +/***/ }), +/* 373 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nvar EventPluginRegistry = __webpack_require__(374);\nvar EventPluginUtils = __webpack_require__(375);\nvar ReactErrorUtils = __webpack_require__(376);\n\nvar accumulateInto = __webpack_require__(377);\nvar forEachAccumulated = __webpack_require__(378);\nvar invariant = __webpack_require__(338);\n\n/**\n * Internal store for event listeners\n */\nvar listenerBank = {};\n\n/**\n * Internal queue of events that have accumulated their dispatches and are\n * waiting to have their dispatches executed.\n */\nvar eventQueue = null;\n\n/**\n * Dispatches an event and releases it back into the pool, unless persistent.\n *\n * @param {?object} event Synthetic event to be dispatched.\n * @param {boolean} simulated If the event is simulated (changes exn behavior)\n * @private\n */\nvar executeDispatchesAndRelease = function (event, simulated) {\n if (event) {\n EventPluginUtils.executeDispatchesInOrder(event, simulated);\n\n if (!event.isPersistent()) {\n event.constructor.release(event);\n }\n }\n};\nvar executeDispatchesAndReleaseSimulated = function (e) {\n return executeDispatchesAndRelease(e, true);\n};\nvar executeDispatchesAndReleaseTopLevel = function (e) {\n return executeDispatchesAndRelease(e, false);\n};\n\nvar getDictionaryKey = function (inst) {\n // Prevents V8 performance issue:\n // https://github.com/facebook/react/pull/7232\n return '.' + inst._rootNodeID;\n};\n\nfunction isInteractive(tag) {\n return tag === 'button' || tag === 'input' || tag === 'select' || tag === 'textarea';\n}\n\nfunction shouldPreventMouseEvent(name, type, props) {\n switch (name) {\n case 'onClick':\n case 'onClickCapture':\n case 'onDoubleClick':\n case 'onDoubleClickCapture':\n case 'onMouseDown':\n case 'onMouseDownCapture':\n case 'onMouseMove':\n case 'onMouseMoveCapture':\n case 'onMouseUp':\n case 'onMouseUpCapture':\n return !!(props.disabled && isInteractive(type));\n default:\n return false;\n }\n}\n\n/**\n * This is a unified interface for event plugins to be installed and configured.\n *\n * Event plugins can implement the following properties:\n *\n * `extractEvents` {function(string, DOMEventTarget, string, object): *}\n * Required. When a top-level event is fired, this method is expected to\n * extract synthetic events that will in turn be queued and dispatched.\n *\n * `eventTypes` {object}\n * Optional, plugins that fire events must publish a mapping of registration\n * names that are used to register listeners. Values of this mapping must\n * be objects that contain `registrationName` or `phasedRegistrationNames`.\n *\n * `executeDispatch` {function(object, function, string)}\n * Optional, allows plugins to override how an event gets dispatched. By\n * default, the listener is simply invoked.\n *\n * Each plugin that is injected into `EventsPluginHub` is immediately operable.\n *\n * @public\n */\nvar EventPluginHub = {\n /**\n * Methods for injecting dependencies.\n */\n injection: {\n /**\n * @param {array} InjectedEventPluginOrder\n * @public\n */\n injectEventPluginOrder: EventPluginRegistry.injectEventPluginOrder,\n\n /**\n * @param {object} injectedNamesToPlugins Map from names to plugin modules.\n */\n injectEventPluginsByName: EventPluginRegistry.injectEventPluginsByName\n },\n\n /**\n * Stores `listener` at `listenerBank[registrationName][key]`. Is idempotent.\n *\n * @param {object} inst The instance, which is the source of events.\n * @param {string} registrationName Name of listener (e.g. `onClick`).\n * @param {function} listener The callback to store.\n */\n putListener: function (inst, registrationName, listener) {\n !(typeof listener === 'function') ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Expected %s listener to be a function, instead got type %s', registrationName, typeof listener) : _prodInvariant('94', registrationName, typeof listener) : void 0;\n\n var key = getDictionaryKey(inst);\n var bankForRegistrationName = listenerBank[registrationName] || (listenerBank[registrationName] = {});\n bankForRegistrationName[key] = listener;\n\n var PluginModule = EventPluginRegistry.registrationNameModules[registrationName];\n if (PluginModule && PluginModule.didPutListener) {\n PluginModule.didPutListener(inst, registrationName, listener);\n }\n },\n\n /**\n * @param {object} inst The instance, which is the source of events.\n * @param {string} registrationName Name of listener (e.g. `onClick`).\n * @return {?function} The stored callback.\n */\n getListener: function (inst, registrationName) {\n // TODO: shouldPreventMouseEvent is DOM-specific and definitely should not\n // live here; needs to be moved to a better place soon\n var bankForRegistrationName = listenerBank[registrationName];\n if (shouldPreventMouseEvent(registrationName, inst._currentElement.type, inst._currentElement.props)) {\n return null;\n }\n var key = getDictionaryKey(inst);\n return bankForRegistrationName && bankForRegistrationName[key];\n },\n\n /**\n * Deletes a listener from the registration bank.\n *\n * @param {object} inst The instance, which is the source of events.\n * @param {string} registrationName Name of listener (e.g. `onClick`).\n */\n deleteListener: function (inst, registrationName) {\n var PluginModule = EventPluginRegistry.registrationNameModules[registrationName];\n if (PluginModule && PluginModule.willDeleteListener) {\n PluginModule.willDeleteListener(inst, registrationName);\n }\n\n var bankForRegistrationName = listenerBank[registrationName];\n // TODO: This should never be null -- when is it?\n if (bankForRegistrationName) {\n var key = getDictionaryKey(inst);\n delete bankForRegistrationName[key];\n }\n },\n\n /**\n * Deletes all listeners for the DOM element with the supplied ID.\n *\n * @param {object} inst The instance, which is the source of events.\n */\n deleteAllListeners: function (inst) {\n var key = getDictionaryKey(inst);\n for (var registrationName in listenerBank) {\n if (!listenerBank.hasOwnProperty(registrationName)) {\n continue;\n }\n\n if (!listenerBank[registrationName][key]) {\n continue;\n }\n\n var PluginModule = EventPluginRegistry.registrationNameModules[registrationName];\n if (PluginModule && PluginModule.willDeleteListener) {\n PluginModule.willDeleteListener(inst, registrationName);\n }\n\n delete listenerBank[registrationName][key];\n }\n },\n\n /**\n * Allows registered plugins an opportunity to extract events from top-level\n * native browser events.\n *\n * @return {*} An accumulation of synthetic events.\n * @internal\n */\n extractEvents: function (topLevelType, targetInst, nativeEvent, nativeEventTarget) {\n var events;\n var plugins = EventPluginRegistry.plugins;\n for (var i = 0; i < plugins.length; i++) {\n // Not every plugin in the ordering may be loaded at runtime.\n var possiblePlugin = plugins[i];\n if (possiblePlugin) {\n var extractedEvents = possiblePlugin.extractEvents(topLevelType, targetInst, nativeEvent, nativeEventTarget);\n if (extractedEvents) {\n events = accumulateInto(events, extractedEvents);\n }\n }\n }\n return events;\n },\n\n /**\n * Enqueues a synthetic event that should be dispatched when\n * `processEventQueue` is invoked.\n *\n * @param {*} events An accumulation of synthetic events.\n * @internal\n */\n enqueueEvents: function (events) {\n if (events) {\n eventQueue = accumulateInto(eventQueue, events);\n }\n },\n\n /**\n * Dispatches all synthetic events on the event queue.\n *\n * @internal\n */\n processEventQueue: function (simulated) {\n // Set `eventQueue` to null before processing it so that we can tell if more\n // events get enqueued while processing.\n var processingEventQueue = eventQueue;\n eventQueue = null;\n if (simulated) {\n forEachAccumulated(processingEventQueue, executeDispatchesAndReleaseSimulated);\n } else {\n forEachAccumulated(processingEventQueue, executeDispatchesAndReleaseTopLevel);\n }\n !!eventQueue ? process.env.NODE_ENV !== 'production' ? invariant(false, 'processEventQueue(): Additional events were enqueued while processing an event queue. Support for this has not yet been implemented.') : _prodInvariant('95') : void 0;\n // This would be a good time to rethrow if any of the event handlers threw.\n ReactErrorUtils.rethrowCaughtError();\n },\n\n /**\n * These are needed for tests only. Do not use!\n */\n __purge: function () {\n listenerBank = {};\n },\n\n __getListenerBank: function () {\n return listenerBank;\n }\n};\n\nmodule.exports = EventPluginHub;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/EventPluginHub.js\n// module id = 373\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/EventPluginHub.js?"); + +/***/ }), +/* 374 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nvar invariant = __webpack_require__(338);\n\n/**\n * Injectable ordering of event plugins.\n */\nvar eventPluginOrder = null;\n\n/**\n * Injectable mapping from names to event plugin modules.\n */\nvar namesToPlugins = {};\n\n/**\n * Recomputes the plugin list using the injected plugins and plugin ordering.\n *\n * @private\n */\nfunction recomputePluginOrdering() {\n if (!eventPluginOrder) {\n // Wait until an `eventPluginOrder` is injected.\n return;\n }\n for (var pluginName in namesToPlugins) {\n var pluginModule = namesToPlugins[pluginName];\n var pluginIndex = eventPluginOrder.indexOf(pluginName);\n !(pluginIndex > -1) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'EventPluginRegistry: Cannot inject event plugins that do not exist in the plugin ordering, `%s`.', pluginName) : _prodInvariant('96', pluginName) : void 0;\n if (EventPluginRegistry.plugins[pluginIndex]) {\n continue;\n }\n !pluginModule.extractEvents ? process.env.NODE_ENV !== 'production' ? invariant(false, 'EventPluginRegistry: Event plugins must implement an `extractEvents` method, but `%s` does not.', pluginName) : _prodInvariant('97', pluginName) : void 0;\n EventPluginRegistry.plugins[pluginIndex] = pluginModule;\n var publishedEvents = pluginModule.eventTypes;\n for (var eventName in publishedEvents) {\n !publishEventForPlugin(publishedEvents[eventName], pluginModule, eventName) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'EventPluginRegistry: Failed to publish event `%s` for plugin `%s`.', eventName, pluginName) : _prodInvariant('98', eventName, pluginName) : void 0;\n }\n }\n}\n\n/**\n * Publishes an event so that it can be dispatched by the supplied plugin.\n *\n * @param {object} dispatchConfig Dispatch configuration for the event.\n * @param {object} PluginModule Plugin publishing the event.\n * @return {boolean} True if the event was successfully published.\n * @private\n */\nfunction publishEventForPlugin(dispatchConfig, pluginModule, eventName) {\n !!EventPluginRegistry.eventNameDispatchConfigs.hasOwnProperty(eventName) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'EventPluginHub: More than one plugin attempted to publish the same event name, `%s`.', eventName) : _prodInvariant('99', eventName) : void 0;\n EventPluginRegistry.eventNameDispatchConfigs[eventName] = dispatchConfig;\n\n var phasedRegistrationNames = dispatchConfig.phasedRegistrationNames;\n if (phasedRegistrationNames) {\n for (var phaseName in phasedRegistrationNames) {\n if (phasedRegistrationNames.hasOwnProperty(phaseName)) {\n var phasedRegistrationName = phasedRegistrationNames[phaseName];\n publishRegistrationName(phasedRegistrationName, pluginModule, eventName);\n }\n }\n return true;\n } else if (dispatchConfig.registrationName) {\n publishRegistrationName(dispatchConfig.registrationName, pluginModule, eventName);\n return true;\n }\n return false;\n}\n\n/**\n * Publishes a registration name that is used to identify dispatched events and\n * can be used with `EventPluginHub.putListener` to register listeners.\n *\n * @param {string} registrationName Registration name to add.\n * @param {object} PluginModule Plugin publishing the event.\n * @private\n */\nfunction publishRegistrationName(registrationName, pluginModule, eventName) {\n !!EventPluginRegistry.registrationNameModules[registrationName] ? process.env.NODE_ENV !== 'production' ? invariant(false, 'EventPluginHub: More than one plugin attempted to publish the same registration name, `%s`.', registrationName) : _prodInvariant('100', registrationName) : void 0;\n EventPluginRegistry.registrationNameModules[registrationName] = pluginModule;\n EventPluginRegistry.registrationNameDependencies[registrationName] = pluginModule.eventTypes[eventName].dependencies;\n\n if (process.env.NODE_ENV !== 'production') {\n var lowerCasedName = registrationName.toLowerCase();\n EventPluginRegistry.possibleRegistrationNames[lowerCasedName] = registrationName;\n\n if (registrationName === 'onDoubleClick') {\n EventPluginRegistry.possibleRegistrationNames.ondblclick = registrationName;\n }\n }\n}\n\n/**\n * Registers plugins so that they can extract and dispatch events.\n *\n * @see {EventPluginHub}\n */\nvar EventPluginRegistry = {\n /**\n * Ordered list of injected plugins.\n */\n plugins: [],\n\n /**\n * Mapping from event name to dispatch config\n */\n eventNameDispatchConfigs: {},\n\n /**\n * Mapping from registration name to plugin module\n */\n registrationNameModules: {},\n\n /**\n * Mapping from registration name to event name\n */\n registrationNameDependencies: {},\n\n /**\n * Mapping from lowercase registration names to the properly cased version,\n * used to warn in the case of missing event handlers. Available\n * only in __DEV__.\n * @type {Object}\n */\n possibleRegistrationNames: process.env.NODE_ENV !== 'production' ? {} : null,\n // Trust the developer to only use possibleRegistrationNames in __DEV__\n\n /**\n * Injects an ordering of plugins (by plugin name). This allows the ordering\n * to be decoupled from injection of the actual plugins so that ordering is\n * always deterministic regardless of packaging, on-the-fly injection, etc.\n *\n * @param {array} InjectedEventPluginOrder\n * @internal\n * @see {EventPluginHub.injection.injectEventPluginOrder}\n */\n injectEventPluginOrder: function (injectedEventPluginOrder) {\n !!eventPluginOrder ? process.env.NODE_ENV !== 'production' ? invariant(false, 'EventPluginRegistry: Cannot inject event plugin ordering more than once. You are likely trying to load more than one copy of React.') : _prodInvariant('101') : void 0;\n // Clone the ordering so it cannot be dynamically mutated.\n eventPluginOrder = Array.prototype.slice.call(injectedEventPluginOrder);\n recomputePluginOrdering();\n },\n\n /**\n * Injects plugins to be used by `EventPluginHub`. The plugin names must be\n * in the ordering injected by `injectEventPluginOrder`.\n *\n * Plugins can be injected as part of page initialization or on-the-fly.\n *\n * @param {object} injectedNamesToPlugins Map from names to plugin modules.\n * @internal\n * @see {EventPluginHub.injection.injectEventPluginsByName}\n */\n injectEventPluginsByName: function (injectedNamesToPlugins) {\n var isOrderingDirty = false;\n for (var pluginName in injectedNamesToPlugins) {\n if (!injectedNamesToPlugins.hasOwnProperty(pluginName)) {\n continue;\n }\n var pluginModule = injectedNamesToPlugins[pluginName];\n if (!namesToPlugins.hasOwnProperty(pluginName) || namesToPlugins[pluginName] !== pluginModule) {\n !!namesToPlugins[pluginName] ? process.env.NODE_ENV !== 'production' ? invariant(false, 'EventPluginRegistry: Cannot inject two different event plugins using the same name, `%s`.', pluginName) : _prodInvariant('102', pluginName) : void 0;\n namesToPlugins[pluginName] = pluginModule;\n isOrderingDirty = true;\n }\n }\n if (isOrderingDirty) {\n recomputePluginOrdering();\n }\n },\n\n /**\n * Looks up the plugin for the supplied event.\n *\n * @param {object} event A synthetic event.\n * @return {?object} The plugin that created the supplied event.\n * @internal\n */\n getPluginModuleForEvent: function (event) {\n var dispatchConfig = event.dispatchConfig;\n if (dispatchConfig.registrationName) {\n return EventPluginRegistry.registrationNameModules[dispatchConfig.registrationName] || null;\n }\n if (dispatchConfig.phasedRegistrationNames !== undefined) {\n // pulling phasedRegistrationNames out of dispatchConfig helps Flow see\n // that it is not undefined.\n var phasedRegistrationNames = dispatchConfig.phasedRegistrationNames;\n\n for (var phase in phasedRegistrationNames) {\n if (!phasedRegistrationNames.hasOwnProperty(phase)) {\n continue;\n }\n var pluginModule = EventPluginRegistry.registrationNameModules[phasedRegistrationNames[phase]];\n if (pluginModule) {\n return pluginModule;\n }\n }\n }\n return null;\n },\n\n /**\n * Exposed for unit testing.\n * @private\n */\n _resetEventPlugins: function () {\n eventPluginOrder = null;\n for (var pluginName in namesToPlugins) {\n if (namesToPlugins.hasOwnProperty(pluginName)) {\n delete namesToPlugins[pluginName];\n }\n }\n EventPluginRegistry.plugins.length = 0;\n\n var eventNameDispatchConfigs = EventPluginRegistry.eventNameDispatchConfigs;\n for (var eventName in eventNameDispatchConfigs) {\n if (eventNameDispatchConfigs.hasOwnProperty(eventName)) {\n delete eventNameDispatchConfigs[eventName];\n }\n }\n\n var registrationNameModules = EventPluginRegistry.registrationNameModules;\n for (var registrationName in registrationNameModules) {\n if (registrationNameModules.hasOwnProperty(registrationName)) {\n delete registrationNameModules[registrationName];\n }\n }\n\n if (process.env.NODE_ENV !== 'production') {\n var possibleRegistrationNames = EventPluginRegistry.possibleRegistrationNames;\n for (var lowerCasedName in possibleRegistrationNames) {\n if (possibleRegistrationNames.hasOwnProperty(lowerCasedName)) {\n delete possibleRegistrationNames[lowerCasedName];\n }\n }\n }\n }\n};\n\nmodule.exports = EventPluginRegistry;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/EventPluginRegistry.js\n// module id = 374\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/EventPluginRegistry.js?"); + +/***/ }), +/* 375 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nvar ReactErrorUtils = __webpack_require__(376);\n\nvar invariant = __webpack_require__(338);\nvar warning = __webpack_require__(334);\n\n/**\n * Injected dependencies:\n */\n\n/**\n * - `ComponentTree`: [required] Module that can convert between React instances\n * and actual node references.\n */\nvar ComponentTree;\nvar TreeTraversal;\nvar injection = {\n injectComponentTree: function (Injected) {\n ComponentTree = Injected;\n if (process.env.NODE_ENV !== 'production') {\n process.env.NODE_ENV !== 'production' ? warning(Injected && Injected.getNodeFromInstance && Injected.getInstanceFromNode, 'EventPluginUtils.injection.injectComponentTree(...): Injected ' + 'module is missing getNodeFromInstance or getInstanceFromNode.') : void 0;\n }\n },\n injectTreeTraversal: function (Injected) {\n TreeTraversal = Injected;\n if (process.env.NODE_ENV !== 'production') {\n process.env.NODE_ENV !== 'production' ? warning(Injected && Injected.isAncestor && Injected.getLowestCommonAncestor, 'EventPluginUtils.injection.injectTreeTraversal(...): Injected ' + 'module is missing isAncestor or getLowestCommonAncestor.') : void 0;\n }\n }\n};\n\nfunction isEndish(topLevelType) {\n return topLevelType === 'topMouseUp' || topLevelType === 'topTouchEnd' || topLevelType === 'topTouchCancel';\n}\n\nfunction isMoveish(topLevelType) {\n return topLevelType === 'topMouseMove' || topLevelType === 'topTouchMove';\n}\nfunction isStartish(topLevelType) {\n return topLevelType === 'topMouseDown' || topLevelType === 'topTouchStart';\n}\n\nvar validateEventDispatches;\nif (process.env.NODE_ENV !== 'production') {\n validateEventDispatches = function (event) {\n var dispatchListeners = event._dispatchListeners;\n var dispatchInstances = event._dispatchInstances;\n\n var listenersIsArr = Array.isArray(dispatchListeners);\n var listenersLen = listenersIsArr ? dispatchListeners.length : dispatchListeners ? 1 : 0;\n\n var instancesIsArr = Array.isArray(dispatchInstances);\n var instancesLen = instancesIsArr ? dispatchInstances.length : dispatchInstances ? 1 : 0;\n\n process.env.NODE_ENV !== 'production' ? warning(instancesIsArr === listenersIsArr && instancesLen === listenersLen, 'EventPluginUtils: Invalid `event`.') : void 0;\n };\n}\n\n/**\n * Dispatch the event to the listener.\n * @param {SyntheticEvent} event SyntheticEvent to handle\n * @param {boolean} simulated If the event is simulated (changes exn behavior)\n * @param {function} listener Application-level callback\n * @param {*} inst Internal component instance\n */\nfunction executeDispatch(event, simulated, listener, inst) {\n var type = event.type || 'unknown-event';\n event.currentTarget = EventPluginUtils.getNodeFromInstance(inst);\n if (simulated) {\n ReactErrorUtils.invokeGuardedCallbackWithCatch(type, listener, event);\n } else {\n ReactErrorUtils.invokeGuardedCallback(type, listener, event);\n }\n event.currentTarget = null;\n}\n\n/**\n * Standard/simple iteration through an event's collected dispatches.\n */\nfunction executeDispatchesInOrder(event, simulated) {\n var dispatchListeners = event._dispatchListeners;\n var dispatchInstances = event._dispatchInstances;\n if (process.env.NODE_ENV !== 'production') {\n validateEventDispatches(event);\n }\n if (Array.isArray(dispatchListeners)) {\n for (var i = 0; i < dispatchListeners.length; i++) {\n if (event.isPropagationStopped()) {\n break;\n }\n // Listeners and Instances are two parallel arrays that are always in sync.\n executeDispatch(event, simulated, dispatchListeners[i], dispatchInstances[i]);\n }\n } else if (dispatchListeners) {\n executeDispatch(event, simulated, dispatchListeners, dispatchInstances);\n }\n event._dispatchListeners = null;\n event._dispatchInstances = null;\n}\n\n/**\n * Standard/simple iteration through an event's collected dispatches, but stops\n * at the first dispatch execution returning true, and returns that id.\n *\n * @return {?string} id of the first dispatch execution who's listener returns\n * true, or null if no listener returned true.\n */\nfunction executeDispatchesInOrderStopAtTrueImpl(event) {\n var dispatchListeners = event._dispatchListeners;\n var dispatchInstances = event._dispatchInstances;\n if (process.env.NODE_ENV !== 'production') {\n validateEventDispatches(event);\n }\n if (Array.isArray(dispatchListeners)) {\n for (var i = 0; i < dispatchListeners.length; i++) {\n if (event.isPropagationStopped()) {\n break;\n }\n // Listeners and Instances are two parallel arrays that are always in sync.\n if (dispatchListeners[i](event, dispatchInstances[i])) {\n return dispatchInstances[i];\n }\n }\n } else if (dispatchListeners) {\n if (dispatchListeners(event, dispatchInstances)) {\n return dispatchInstances;\n }\n }\n return null;\n}\n\n/**\n * @see executeDispatchesInOrderStopAtTrueImpl\n */\nfunction executeDispatchesInOrderStopAtTrue(event) {\n var ret = executeDispatchesInOrderStopAtTrueImpl(event);\n event._dispatchInstances = null;\n event._dispatchListeners = null;\n return ret;\n}\n\n/**\n * Execution of a \"direct\" dispatch - there must be at most one dispatch\n * accumulated on the event or it is considered an error. It doesn't really make\n * sense for an event with multiple dispatches (bubbled) to keep track of the\n * return values at each dispatch execution, but it does tend to make sense when\n * dealing with \"direct\" dispatches.\n *\n * @return {*} The return value of executing the single dispatch.\n */\nfunction executeDirectDispatch(event) {\n if (process.env.NODE_ENV !== 'production') {\n validateEventDispatches(event);\n }\n var dispatchListener = event._dispatchListeners;\n var dispatchInstance = event._dispatchInstances;\n !!Array.isArray(dispatchListener) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'executeDirectDispatch(...): Invalid `event`.') : _prodInvariant('103') : void 0;\n event.currentTarget = dispatchListener ? EventPluginUtils.getNodeFromInstance(dispatchInstance) : null;\n var res = dispatchListener ? dispatchListener(event) : null;\n event.currentTarget = null;\n event._dispatchListeners = null;\n event._dispatchInstances = null;\n return res;\n}\n\n/**\n * @param {SyntheticEvent} event\n * @return {boolean} True iff number of dispatches accumulated is greater than 0.\n */\nfunction hasDispatches(event) {\n return !!event._dispatchListeners;\n}\n\n/**\n * General utilities that are useful in creating custom Event Plugins.\n */\nvar EventPluginUtils = {\n isEndish: isEndish,\n isMoveish: isMoveish,\n isStartish: isStartish,\n\n executeDirectDispatch: executeDirectDispatch,\n executeDispatchesInOrder: executeDispatchesInOrder,\n executeDispatchesInOrderStopAtTrue: executeDispatchesInOrderStopAtTrue,\n hasDispatches: hasDispatches,\n\n getInstanceFromNode: function (node) {\n return ComponentTree.getInstanceFromNode(node);\n },\n getNodeFromInstance: function (node) {\n return ComponentTree.getNodeFromInstance(node);\n },\n isAncestor: function (a, b) {\n return TreeTraversal.isAncestor(a, b);\n },\n getLowestCommonAncestor: function (a, b) {\n return TreeTraversal.getLowestCommonAncestor(a, b);\n },\n getParentInstance: function (inst) {\n return TreeTraversal.getParentInstance(inst);\n },\n traverseTwoPhase: function (target, fn, arg) {\n return TreeTraversal.traverseTwoPhase(target, fn, arg);\n },\n traverseEnterLeave: function (from, to, fn, argFrom, argTo) {\n return TreeTraversal.traverseEnterLeave(from, to, fn, argFrom, argTo);\n },\n\n injection: injection\n};\n\nmodule.exports = EventPluginUtils;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/EventPluginUtils.js\n// module id = 375\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/EventPluginUtils.js?"); + +/***/ }), +/* 376 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar caughtError = null;\n\n/**\n * Call a function while guarding against errors that happens within it.\n *\n * @param {String} name of the guard to use for logging or debugging\n * @param {Function} func The function to invoke\n * @param {*} a First argument\n * @param {*} b Second argument\n */\nfunction invokeGuardedCallback(name, func, a) {\n try {\n func(a);\n } catch (x) {\n if (caughtError === null) {\n caughtError = x;\n }\n }\n}\n\nvar ReactErrorUtils = {\n invokeGuardedCallback: invokeGuardedCallback,\n\n /**\n * Invoked by ReactTestUtils.Simulate so that any errors thrown by the event\n * handler are sure to be rethrown by rethrowCaughtError.\n */\n invokeGuardedCallbackWithCatch: invokeGuardedCallback,\n\n /**\n * During execution of guarded functions we will capture the first error which\n * we will rethrow to be handled by the top level error handler.\n */\n rethrowCaughtError: function () {\n if (caughtError) {\n var error = caughtError;\n caughtError = null;\n throw error;\n }\n }\n};\n\nif (process.env.NODE_ENV !== 'production') {\n /**\n * To help development we can get better devtools integration by simulating a\n * real browser event.\n */\n if (typeof window !== 'undefined' && typeof window.dispatchEvent === 'function' && typeof document !== 'undefined' && typeof document.createEvent === 'function') {\n var fakeNode = document.createElement('react');\n ReactErrorUtils.invokeGuardedCallback = function (name, func, a) {\n var boundFunc = function () {\n func(a);\n };\n var evtType = 'react-' + name;\n fakeNode.addEventListener(evtType, boundFunc, false);\n var evt = document.createEvent('Event');\n evt.initEvent(evtType, false, false);\n fakeNode.dispatchEvent(evt);\n fakeNode.removeEventListener(evtType, boundFunc, false);\n };\n }\n}\n\nmodule.exports = ReactErrorUtils;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactErrorUtils.js\n// module id = 376\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactErrorUtils.js?"); + +/***/ }), +/* 377 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2014-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nvar invariant = __webpack_require__(338);\n\n/**\n * Accumulates items that must not be null or undefined into the first one. This\n * is used to conserve memory by avoiding array allocations, and thus sacrifices\n * API cleanness. Since `current` can be null before being passed in and not\n * null after this function, make sure to assign it back to `current`:\n *\n * `a = accumulateInto(a, b);`\n *\n * This API should be sparingly used. Try `accumulate` for something cleaner.\n *\n * @return {*|array<*>} An accumulation of items.\n */\n\nfunction accumulateInto(current, next) {\n !(next != null) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'accumulateInto(...): Accumulated items must not be null or undefined.') : _prodInvariant('30') : void 0;\n\n if (current == null) {\n return next;\n }\n\n // Both are not empty. Warning: Never call x.concat(y) when you are not\n // certain that x is an Array (x could be a string with concat method).\n if (Array.isArray(current)) {\n if (Array.isArray(next)) {\n current.push.apply(current, next);\n return current;\n }\n current.push(next);\n return current;\n }\n\n if (Array.isArray(next)) {\n // A bit too dangerous to mutate `next`.\n return [current].concat(next);\n }\n\n return [current, next];\n}\n\nmodule.exports = accumulateInto;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/accumulateInto.js\n// module id = 377\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/accumulateInto.js?"); + +/***/ }), +/* 378 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\n/**\n * @param {array} arr an \"accumulation\" of items which is either an Array or\n * a single item. Useful when paired with the `accumulate` module. This is a\n * simple utility that allows us to reason about a collection of items, but\n * handling the case when there is exactly one item (and we do not need to\n * allocate an array).\n */\n\nfunction forEachAccumulated(arr, cb, scope) {\n if (Array.isArray(arr)) {\n arr.forEach(cb, scope);\n } else if (arr) {\n cb.call(scope, arr);\n }\n}\n\nmodule.exports = forEachAccumulated;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/forEachAccumulated.js\n// module id = 378\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/forEachAccumulated.js?"); + +/***/ }), +/* 379 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar canUseDOM = !!(typeof window !== 'undefined' && window.document && window.document.createElement);\n\n/**\n * Simple, lightweight module assisting with the detection and context of\n * Worker. Helps avoid circular dependencies and allows code to reason about\n * whether or not they are in a Worker, even if they never include the main\n * `ReactWorker` dependency.\n */\nvar ExecutionEnvironment = {\n\n canUseDOM: canUseDOM,\n\n canUseWorkers: typeof Worker !== 'undefined',\n\n canUseEventListeners: canUseDOM && !!(window.addEventListener || window.attachEvent),\n\n canUseViewport: canUseDOM && !!window.screen,\n\n isInWorker: !canUseDOM // For now, this is true - might change in the future.\n\n};\n\nmodule.exports = ExecutionEnvironment;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/fbjs/lib/ExecutionEnvironment.js\n// module id = 379\n// module chunks = 0\n//# sourceURL=webpack:///./~/fbjs/lib/ExecutionEnvironment.js?"); + +/***/ }), +/* 380 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _assign = __webpack_require__(330);\n\nvar PooledClass = __webpack_require__(381);\n\nvar getTextContentAccessor = __webpack_require__(382);\n\n/**\n * This helper class stores information about text content of a target node,\n * allowing comparison of content before and after a given event.\n *\n * Identify the node where selection currently begins, then observe\n * both its text content and its current position in the DOM. Since the\n * browser may natively replace the target node during composition, we can\n * use its position to find its replacement.\n *\n * @param {DOMEventTarget} root\n */\nfunction FallbackCompositionState(root) {\n this._root = root;\n this._startText = this.getText();\n this._fallbackText = null;\n}\n\n_assign(FallbackCompositionState.prototype, {\n destructor: function () {\n this._root = null;\n this._startText = null;\n this._fallbackText = null;\n },\n\n /**\n * Get current text of input.\n *\n * @return {string}\n */\n getText: function () {\n if ('value' in this._root) {\n return this._root.value;\n }\n return this._root[getTextContentAccessor()];\n },\n\n /**\n * Determine the differing substring between the initially stored\n * text content and the current content.\n *\n * @return {string}\n */\n getData: function () {\n if (this._fallbackText) {\n return this._fallbackText;\n }\n\n var start;\n var startValue = this._startText;\n var startLength = startValue.length;\n var end;\n var endValue = this.getText();\n var endLength = endValue.length;\n\n for (start = 0; start < startLength; start++) {\n if (startValue[start] !== endValue[start]) {\n break;\n }\n }\n\n var minEnd = startLength - start;\n for (end = 1; end <= minEnd; end++) {\n if (startValue[startLength - end] !== endValue[endLength - end]) {\n break;\n }\n }\n\n var sliceTail = end > 1 ? 1 - end : undefined;\n this._fallbackText = endValue.slice(start, sliceTail);\n return this._fallbackText;\n }\n});\n\nPooledClass.addPoolingTo(FallbackCompositionState);\n\nmodule.exports = FallbackCompositionState;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/FallbackCompositionState.js\n// module id = 380\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/FallbackCompositionState.js?"); + +/***/ }), +/* 381 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nvar invariant = __webpack_require__(338);\n\n/**\n * Static poolers. Several custom versions for each potential number of\n * arguments. A completely generic pooler is easy to implement, but would\n * require accessing the `arguments` object. In each of these, `this` refers to\n * the Class itself, not an instance. If any others are needed, simply add them\n * here, or in their own files.\n */\nvar oneArgumentPooler = function (copyFieldsFrom) {\n var Klass = this;\n if (Klass.instancePool.length) {\n var instance = Klass.instancePool.pop();\n Klass.call(instance, copyFieldsFrom);\n return instance;\n } else {\n return new Klass(copyFieldsFrom);\n }\n};\n\nvar twoArgumentPooler = function (a1, a2) {\n var Klass = this;\n if (Klass.instancePool.length) {\n var instance = Klass.instancePool.pop();\n Klass.call(instance, a1, a2);\n return instance;\n } else {\n return new Klass(a1, a2);\n }\n};\n\nvar threeArgumentPooler = function (a1, a2, a3) {\n var Klass = this;\n if (Klass.instancePool.length) {\n var instance = Klass.instancePool.pop();\n Klass.call(instance, a1, a2, a3);\n return instance;\n } else {\n return new Klass(a1, a2, a3);\n }\n};\n\nvar fourArgumentPooler = function (a1, a2, a3, a4) {\n var Klass = this;\n if (Klass.instancePool.length) {\n var instance = Klass.instancePool.pop();\n Klass.call(instance, a1, a2, a3, a4);\n return instance;\n } else {\n return new Klass(a1, a2, a3, a4);\n }\n};\n\nvar standardReleaser = function (instance) {\n var Klass = this;\n !(instance instanceof Klass) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Trying to release an instance into a pool of a different type.') : _prodInvariant('25') : void 0;\n instance.destructor();\n if (Klass.instancePool.length < Klass.poolSize) {\n Klass.instancePool.push(instance);\n }\n};\n\nvar DEFAULT_POOL_SIZE = 10;\nvar DEFAULT_POOLER = oneArgumentPooler;\n\n/**\n * Augments `CopyConstructor` to be a poolable class, augmenting only the class\n * itself (statically) not adding any prototypical fields. Any CopyConstructor\n * you give this may have a `poolSize` property, and will look for a\n * prototypical `destructor` on instances.\n *\n * @param {Function} CopyConstructor Constructor that can be used to reset.\n * @param {Function} pooler Customizable pooler.\n */\nvar addPoolingTo = function (CopyConstructor, pooler) {\n // Casting as any so that flow ignores the actual implementation and trusts\n // it to match the type we declared\n var NewKlass = CopyConstructor;\n NewKlass.instancePool = [];\n NewKlass.getPooled = pooler || DEFAULT_POOLER;\n if (!NewKlass.poolSize) {\n NewKlass.poolSize = DEFAULT_POOL_SIZE;\n }\n NewKlass.release = standardReleaser;\n return NewKlass;\n};\n\nvar PooledClass = {\n addPoolingTo: addPoolingTo,\n oneArgumentPooler: oneArgumentPooler,\n twoArgumentPooler: twoArgumentPooler,\n threeArgumentPooler: threeArgumentPooler,\n fourArgumentPooler: fourArgumentPooler\n};\n\nmodule.exports = PooledClass;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/PooledClass.js\n// module id = 381\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/PooledClass.js?"); + +/***/ }), +/* 382 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ExecutionEnvironment = __webpack_require__(379);\n\nvar contentKey = null;\n\n/**\n * Gets the key used to access text content on a DOM node.\n *\n * @return {?string} Key used to access text content.\n * @internal\n */\nfunction getTextContentAccessor() {\n if (!contentKey && ExecutionEnvironment.canUseDOM) {\n // Prefer textContent to innerText because many browsers support both but\n // SVG elements don't support innerText even when
does.\n contentKey = 'textContent' in document.documentElement ? 'textContent' : 'innerText';\n }\n return contentKey;\n}\n\nmodule.exports = getTextContentAccessor;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/getTextContentAccessor.js\n// module id = 382\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/getTextContentAccessor.js?"); + +/***/ }), +/* 383 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar SyntheticEvent = __webpack_require__(384);\n\n/**\n * @interface Event\n * @see http://www.w3.org/TR/DOM-Level-3-Events/#events-compositionevents\n */\nvar CompositionEventInterface = {\n data: null\n};\n\n/**\n * @param {object} dispatchConfig Configuration used to dispatch this event.\n * @param {string} dispatchMarker Marker identifying the event target.\n * @param {object} nativeEvent Native browser event.\n * @extends {SyntheticUIEvent}\n */\nfunction SyntheticCompositionEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {\n return SyntheticEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);\n}\n\nSyntheticEvent.augmentClass(SyntheticCompositionEvent, CompositionEventInterface);\n\nmodule.exports = SyntheticCompositionEvent;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/SyntheticCompositionEvent.js\n// module id = 383\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/SyntheticCompositionEvent.js?"); + +/***/ }), +/* 384 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _assign = __webpack_require__(330);\n\nvar PooledClass = __webpack_require__(381);\n\nvar emptyFunction = __webpack_require__(335);\nvar warning = __webpack_require__(334);\n\nvar didWarnForAddedNewProperty = false;\nvar isProxySupported = typeof Proxy === 'function';\n\nvar shouldBeReleasedProperties = ['dispatchConfig', '_targetInst', 'nativeEvent', 'isDefaultPrevented', 'isPropagationStopped', '_dispatchListeners', '_dispatchInstances'];\n\n/**\n * @interface Event\n * @see http://www.w3.org/TR/DOM-Level-3-Events/\n */\nvar EventInterface = {\n type: null,\n target: null,\n // currentTarget is set when dispatching; no use in copying it here\n currentTarget: emptyFunction.thatReturnsNull,\n eventPhase: null,\n bubbles: null,\n cancelable: null,\n timeStamp: function (event) {\n return event.timeStamp || Date.now();\n },\n defaultPrevented: null,\n isTrusted: null\n};\n\n/**\n * Synthetic events are dispatched by event plugins, typically in response to a\n * top-level event delegation handler.\n *\n * These systems should generally use pooling to reduce the frequency of garbage\n * collection. The system should check `isPersistent` to determine whether the\n * event should be released into the pool after being dispatched. Users that\n * need a persisted event should invoke `persist`.\n *\n * Synthetic events (and subclasses) implement the DOM Level 3 Events API by\n * normalizing browser quirks. Subclasses do not necessarily have to implement a\n * DOM interface; custom application-specific events can also subclass this.\n *\n * @param {object} dispatchConfig Configuration used to dispatch this event.\n * @param {*} targetInst Marker identifying the event target.\n * @param {object} nativeEvent Native browser event.\n * @param {DOMEventTarget} nativeEventTarget Target node.\n */\nfunction SyntheticEvent(dispatchConfig, targetInst, nativeEvent, nativeEventTarget) {\n if (process.env.NODE_ENV !== 'production') {\n // these have a getter/setter for warnings\n delete this.nativeEvent;\n delete this.preventDefault;\n delete this.stopPropagation;\n }\n\n this.dispatchConfig = dispatchConfig;\n this._targetInst = targetInst;\n this.nativeEvent = nativeEvent;\n\n var Interface = this.constructor.Interface;\n for (var propName in Interface) {\n if (!Interface.hasOwnProperty(propName)) {\n continue;\n }\n if (process.env.NODE_ENV !== 'production') {\n delete this[propName]; // this has a getter/setter for warnings\n }\n var normalize = Interface[propName];\n if (normalize) {\n this[propName] = normalize(nativeEvent);\n } else {\n if (propName === 'target') {\n this.target = nativeEventTarget;\n } else {\n this[propName] = nativeEvent[propName];\n }\n }\n }\n\n var defaultPrevented = nativeEvent.defaultPrevented != null ? nativeEvent.defaultPrevented : nativeEvent.returnValue === false;\n if (defaultPrevented) {\n this.isDefaultPrevented = emptyFunction.thatReturnsTrue;\n } else {\n this.isDefaultPrevented = emptyFunction.thatReturnsFalse;\n }\n this.isPropagationStopped = emptyFunction.thatReturnsFalse;\n return this;\n}\n\n_assign(SyntheticEvent.prototype, {\n preventDefault: function () {\n this.defaultPrevented = true;\n var event = this.nativeEvent;\n if (!event) {\n return;\n }\n\n if (event.preventDefault) {\n event.preventDefault();\n // eslint-disable-next-line valid-typeof\n } else if (typeof event.returnValue !== 'unknown') {\n event.returnValue = false;\n }\n this.isDefaultPrevented = emptyFunction.thatReturnsTrue;\n },\n\n stopPropagation: function () {\n var event = this.nativeEvent;\n if (!event) {\n return;\n }\n\n if (event.stopPropagation) {\n event.stopPropagation();\n // eslint-disable-next-line valid-typeof\n } else if (typeof event.cancelBubble !== 'unknown') {\n // The ChangeEventPlugin registers a \"propertychange\" event for\n // IE. This event does not support bubbling or cancelling, and\n // any references to cancelBubble throw \"Member not found\". A\n // typeof check of \"unknown\" circumvents this issue (and is also\n // IE specific).\n event.cancelBubble = true;\n }\n\n this.isPropagationStopped = emptyFunction.thatReturnsTrue;\n },\n\n /**\n * We release all dispatched `SyntheticEvent`s after each event loop, adding\n * them back into the pool. This allows a way to hold onto a reference that\n * won't be added back into the pool.\n */\n persist: function () {\n this.isPersistent = emptyFunction.thatReturnsTrue;\n },\n\n /**\n * Checks if this event should be released back into the pool.\n *\n * @return {boolean} True if this should not be released, false otherwise.\n */\n isPersistent: emptyFunction.thatReturnsFalse,\n\n /**\n * `PooledClass` looks for `destructor` on each instance it releases.\n */\n destructor: function () {\n var Interface = this.constructor.Interface;\n for (var propName in Interface) {\n if (process.env.NODE_ENV !== 'production') {\n Object.defineProperty(this, propName, getPooledWarningPropertyDefinition(propName, Interface[propName]));\n } else {\n this[propName] = null;\n }\n }\n for (var i = 0; i < shouldBeReleasedProperties.length; i++) {\n this[shouldBeReleasedProperties[i]] = null;\n }\n if (process.env.NODE_ENV !== 'production') {\n Object.defineProperty(this, 'nativeEvent', getPooledWarningPropertyDefinition('nativeEvent', null));\n Object.defineProperty(this, 'preventDefault', getPooledWarningPropertyDefinition('preventDefault', emptyFunction));\n Object.defineProperty(this, 'stopPropagation', getPooledWarningPropertyDefinition('stopPropagation', emptyFunction));\n }\n }\n});\n\nSyntheticEvent.Interface = EventInterface;\n\n/**\n * Helper to reduce boilerplate when creating subclasses.\n *\n * @param {function} Class\n * @param {?object} Interface\n */\nSyntheticEvent.augmentClass = function (Class, Interface) {\n var Super = this;\n\n var E = function () {};\n E.prototype = Super.prototype;\n var prototype = new E();\n\n _assign(prototype, Class.prototype);\n Class.prototype = prototype;\n Class.prototype.constructor = Class;\n\n Class.Interface = _assign({}, Super.Interface, Interface);\n Class.augmentClass = Super.augmentClass;\n\n PooledClass.addPoolingTo(Class, PooledClass.fourArgumentPooler);\n};\n\n/** Proxying after everything set on SyntheticEvent\n * to resolve Proxy issue on some WebKit browsers\n * in which some Event properties are set to undefined (GH#10010)\n */\nif (process.env.NODE_ENV !== 'production') {\n if (isProxySupported) {\n /*eslint-disable no-func-assign */\n SyntheticEvent = new Proxy(SyntheticEvent, {\n construct: function (target, args) {\n return this.apply(target, Object.create(target.prototype), args);\n },\n apply: function (constructor, that, args) {\n return new Proxy(constructor.apply(that, args), {\n set: function (target, prop, value) {\n if (prop !== 'isPersistent' && !target.constructor.Interface.hasOwnProperty(prop) && shouldBeReleasedProperties.indexOf(prop) === -1) {\n process.env.NODE_ENV !== 'production' ? warning(didWarnForAddedNewProperty || target.isPersistent(), \"This synthetic event is reused for performance reasons. If you're \" + \"seeing this, you're adding a new property in the synthetic event object. \" + 'The property is never released. See ' + 'https://fb.me/react-event-pooling for more information.') : void 0;\n didWarnForAddedNewProperty = true;\n }\n target[prop] = value;\n return true;\n }\n });\n }\n });\n /*eslint-enable no-func-assign */\n }\n}\n\nPooledClass.addPoolingTo(SyntheticEvent, PooledClass.fourArgumentPooler);\n\nmodule.exports = SyntheticEvent;\n\n/**\n * Helper to nullify syntheticEvent instance properties when destructing\n *\n * @param {object} SyntheticEvent\n * @param {String} propName\n * @return {object} defineProperty object\n */\nfunction getPooledWarningPropertyDefinition(propName, getVal) {\n var isFunction = typeof getVal === 'function';\n return {\n configurable: true,\n set: set,\n get: get\n };\n\n function set(val) {\n var action = isFunction ? 'setting the method' : 'setting the property';\n warn(action, 'This is effectively a no-op');\n return val;\n }\n\n function get() {\n var action = isFunction ? 'accessing the method' : 'accessing the property';\n var result = isFunction ? 'This is a no-op function' : 'This is set to null';\n warn(action, result);\n return getVal;\n }\n\n function warn(action, result) {\n var warningCondition = false;\n process.env.NODE_ENV !== 'production' ? warning(warningCondition, \"This synthetic event is reused for performance reasons. If you're seeing this, \" + \"you're %s `%s` on a released/nullified synthetic event. %s. \" + 'If you must keep the original synthetic event around, use event.persist(). ' + 'See https://fb.me/react-event-pooling for more information.', action, propName, result) : void 0;\n }\n}\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/SyntheticEvent.js\n// module id = 384\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/SyntheticEvent.js?"); + +/***/ }), +/* 385 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar SyntheticEvent = __webpack_require__(384);\n\n/**\n * @interface Event\n * @see http://www.w3.org/TR/2013/WD-DOM-Level-3-Events-20131105\n * /#events-inputevents\n */\nvar InputEventInterface = {\n data: null\n};\n\n/**\n * @param {object} dispatchConfig Configuration used to dispatch this event.\n * @param {string} dispatchMarker Marker identifying the event target.\n * @param {object} nativeEvent Native browser event.\n * @extends {SyntheticUIEvent}\n */\nfunction SyntheticInputEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {\n return SyntheticEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);\n}\n\nSyntheticEvent.augmentClass(SyntheticInputEvent, InputEventInterface);\n\nmodule.exports = SyntheticInputEvent;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/SyntheticInputEvent.js\n// module id = 385\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/SyntheticInputEvent.js?"); + +/***/ }), +/* 386 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar EventPluginHub = __webpack_require__(373);\nvar EventPropagators = __webpack_require__(372);\nvar ExecutionEnvironment = __webpack_require__(379);\nvar ReactDOMComponentTree = __webpack_require__(365);\nvar ReactUpdates = __webpack_require__(387);\nvar SyntheticEvent = __webpack_require__(384);\n\nvar inputValueTracking = __webpack_require__(400);\nvar getEventTarget = __webpack_require__(401);\nvar isEventSupported = __webpack_require__(402);\nvar isTextInputElement = __webpack_require__(403);\n\nvar eventTypes = {\n change: {\n phasedRegistrationNames: {\n bubbled: 'onChange',\n captured: 'onChangeCapture'\n },\n dependencies: ['topBlur', 'topChange', 'topClick', 'topFocus', 'topInput', 'topKeyDown', 'topKeyUp', 'topSelectionChange']\n }\n};\n\nfunction createAndAccumulateChangeEvent(inst, nativeEvent, target) {\n var event = SyntheticEvent.getPooled(eventTypes.change, inst, nativeEvent, target);\n event.type = 'change';\n EventPropagators.accumulateTwoPhaseDispatches(event);\n return event;\n}\n/**\n * For IE shims\n */\nvar activeElement = null;\nvar activeElementInst = null;\n\n/**\n * SECTION: handle `change` event\n */\nfunction shouldUseChangeEvent(elem) {\n var nodeName = elem.nodeName && elem.nodeName.toLowerCase();\n return nodeName === 'select' || nodeName === 'input' && elem.type === 'file';\n}\n\nvar doesChangeEventBubble = false;\nif (ExecutionEnvironment.canUseDOM) {\n // See `handleChange` comment below\n doesChangeEventBubble = isEventSupported('change') && (!document.documentMode || document.documentMode > 8);\n}\n\nfunction manualDispatchChangeEvent(nativeEvent) {\n var event = createAndAccumulateChangeEvent(activeElementInst, nativeEvent, getEventTarget(nativeEvent));\n\n // If change and propertychange bubbled, we'd just bind to it like all the\n // other events and have it go through ReactBrowserEventEmitter. Since it\n // doesn't, we manually listen for the events and so we have to enqueue and\n // process the abstract event manually.\n //\n // Batching is necessary here in order to ensure that all event handlers run\n // before the next rerender (including event handlers attached to ancestor\n // elements instead of directly on the input). Without this, controlled\n // components don't work properly in conjunction with event bubbling because\n // the component is rerendered and the value reverted before all the event\n // handlers can run. See https://github.com/facebook/react/issues/708.\n ReactUpdates.batchedUpdates(runEventInBatch, event);\n}\n\nfunction runEventInBatch(event) {\n EventPluginHub.enqueueEvents(event);\n EventPluginHub.processEventQueue(false);\n}\n\nfunction startWatchingForChangeEventIE8(target, targetInst) {\n activeElement = target;\n activeElementInst = targetInst;\n activeElement.attachEvent('onchange', manualDispatchChangeEvent);\n}\n\nfunction stopWatchingForChangeEventIE8() {\n if (!activeElement) {\n return;\n }\n activeElement.detachEvent('onchange', manualDispatchChangeEvent);\n activeElement = null;\n activeElementInst = null;\n}\n\nfunction getInstIfValueChanged(targetInst, nativeEvent) {\n var updated = inputValueTracking.updateValueIfChanged(targetInst);\n var simulated = nativeEvent.simulated === true && ChangeEventPlugin._allowSimulatedPassThrough;\n\n if (updated || simulated) {\n return targetInst;\n }\n}\n\nfunction getTargetInstForChangeEvent(topLevelType, targetInst) {\n if (topLevelType === 'topChange') {\n return targetInst;\n }\n}\n\nfunction handleEventsForChangeEventIE8(topLevelType, target, targetInst) {\n if (topLevelType === 'topFocus') {\n // stopWatching() should be a noop here but we call it just in case we\n // missed a blur event somehow.\n stopWatchingForChangeEventIE8();\n startWatchingForChangeEventIE8(target, targetInst);\n } else if (topLevelType === 'topBlur') {\n stopWatchingForChangeEventIE8();\n }\n}\n\n/**\n * SECTION: handle `input` event\n */\nvar isInputEventSupported = false;\nif (ExecutionEnvironment.canUseDOM) {\n // IE9 claims to support the input event but fails to trigger it when\n // deleting text, so we ignore its input events.\n\n isInputEventSupported = isEventSupported('input') && (!document.documentMode || document.documentMode > 9);\n}\n\n/**\n * (For IE <=9) Starts tracking propertychange events on the passed-in element\n * and override the value property so that we can distinguish user events from\n * value changes in JS.\n */\nfunction startWatchingForValueChange(target, targetInst) {\n activeElement = target;\n activeElementInst = targetInst;\n activeElement.attachEvent('onpropertychange', handlePropertyChange);\n}\n\n/**\n * (For IE <=9) Removes the event listeners from the currently-tracked element,\n * if any exists.\n */\nfunction stopWatchingForValueChange() {\n if (!activeElement) {\n return;\n }\n activeElement.detachEvent('onpropertychange', handlePropertyChange);\n\n activeElement = null;\n activeElementInst = null;\n}\n\n/**\n * (For IE <=9) Handles a propertychange event, sending a `change` event if\n * the value of the active element has changed.\n */\nfunction handlePropertyChange(nativeEvent) {\n if (nativeEvent.propertyName !== 'value') {\n return;\n }\n if (getInstIfValueChanged(activeElementInst, nativeEvent)) {\n manualDispatchChangeEvent(nativeEvent);\n }\n}\n\nfunction handleEventsForInputEventPolyfill(topLevelType, target, targetInst) {\n if (topLevelType === 'topFocus') {\n // In IE8, we can capture almost all .value changes by adding a\n // propertychange handler and looking for events with propertyName\n // equal to 'value'\n // In IE9, propertychange fires for most input events but is buggy and\n // doesn't fire when text is deleted, but conveniently, selectionchange\n // appears to fire in all of the remaining cases so we catch those and\n // forward the event if the value has changed\n // In either case, we don't want to call the event handler if the value\n // is changed from JS so we redefine a setter for `.value` that updates\n // our activeElementValue variable, allowing us to ignore those changes\n //\n // stopWatching() should be a noop here but we call it just in case we\n // missed a blur event somehow.\n stopWatchingForValueChange();\n startWatchingForValueChange(target, targetInst);\n } else if (topLevelType === 'topBlur') {\n stopWatchingForValueChange();\n }\n}\n\n// For IE8 and IE9.\nfunction getTargetInstForInputEventPolyfill(topLevelType, targetInst, nativeEvent) {\n if (topLevelType === 'topSelectionChange' || topLevelType === 'topKeyUp' || topLevelType === 'topKeyDown') {\n // On the selectionchange event, the target is just document which isn't\n // helpful for us so just check activeElement instead.\n //\n // 99% of the time, keydown and keyup aren't necessary. IE8 fails to fire\n // propertychange on the first input event after setting `value` from a\n // script and fires only keydown, keypress, keyup. Catching keyup usually\n // gets it and catching keydown lets us fire an event for the first\n // keystroke if user does a key repeat (it'll be a little delayed: right\n // before the second keystroke). Other input methods (e.g., paste) seem to\n // fire selectionchange normally.\n return getInstIfValueChanged(activeElementInst, nativeEvent);\n }\n}\n\n/**\n * SECTION: handle `click` event\n */\nfunction shouldUseClickEvent(elem) {\n // Use the `click` event to detect changes to checkbox and radio inputs.\n // This approach works across all browsers, whereas `change` does not fire\n // until `blur` in IE8.\n var nodeName = elem.nodeName;\n return nodeName && nodeName.toLowerCase() === 'input' && (elem.type === 'checkbox' || elem.type === 'radio');\n}\n\nfunction getTargetInstForClickEvent(topLevelType, targetInst, nativeEvent) {\n if (topLevelType === 'topClick') {\n return getInstIfValueChanged(targetInst, nativeEvent);\n }\n}\n\nfunction getTargetInstForInputOrChangeEvent(topLevelType, targetInst, nativeEvent) {\n if (topLevelType === 'topInput' || topLevelType === 'topChange') {\n return getInstIfValueChanged(targetInst, nativeEvent);\n }\n}\n\nfunction handleControlledInputBlur(inst, node) {\n // TODO: In IE, inst is occasionally null. Why?\n if (inst == null) {\n return;\n }\n\n // Fiber and ReactDOM keep wrapper state in separate places\n var state = inst._wrapperState || node._wrapperState;\n\n if (!state || !state.controlled || node.type !== 'number') {\n return;\n }\n\n // If controlled, assign the value attribute to the current value on blur\n var value = '' + node.value;\n if (node.getAttribute('value') !== value) {\n node.setAttribute('value', value);\n }\n}\n\n/**\n * This plugin creates an `onChange` event that normalizes change events\n * across form elements. This event fires at a time when it's possible to\n * change the element's value without seeing a flicker.\n *\n * Supported elements are:\n * - input (see `isTextInputElement`)\n * - textarea\n * - select\n */\nvar ChangeEventPlugin = {\n eventTypes: eventTypes,\n\n _allowSimulatedPassThrough: true,\n _isInputEventSupported: isInputEventSupported,\n\n extractEvents: function (topLevelType, targetInst, nativeEvent, nativeEventTarget) {\n var targetNode = targetInst ? ReactDOMComponentTree.getNodeFromInstance(targetInst) : window;\n\n var getTargetInstFunc, handleEventFunc;\n if (shouldUseChangeEvent(targetNode)) {\n if (doesChangeEventBubble) {\n getTargetInstFunc = getTargetInstForChangeEvent;\n } else {\n handleEventFunc = handleEventsForChangeEventIE8;\n }\n } else if (isTextInputElement(targetNode)) {\n if (isInputEventSupported) {\n getTargetInstFunc = getTargetInstForInputOrChangeEvent;\n } else {\n getTargetInstFunc = getTargetInstForInputEventPolyfill;\n handleEventFunc = handleEventsForInputEventPolyfill;\n }\n } else if (shouldUseClickEvent(targetNode)) {\n getTargetInstFunc = getTargetInstForClickEvent;\n }\n\n if (getTargetInstFunc) {\n var inst = getTargetInstFunc(topLevelType, targetInst, nativeEvent);\n if (inst) {\n var event = createAndAccumulateChangeEvent(inst, nativeEvent, nativeEventTarget);\n return event;\n }\n }\n\n if (handleEventFunc) {\n handleEventFunc(topLevelType, targetNode, targetInst);\n }\n\n // When blurring, set the value attribute for number inputs\n if (topLevelType === 'topBlur') {\n handleControlledInputBlur(targetInst, targetNode);\n }\n }\n};\n\nmodule.exports = ChangeEventPlugin;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ChangeEventPlugin.js\n// module id = 386\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ChangeEventPlugin.js?"); + +/***/ }), +/* 387 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366),\n _assign = __webpack_require__(330);\n\nvar CallbackQueue = __webpack_require__(388);\nvar PooledClass = __webpack_require__(381);\nvar ReactFeatureFlags = __webpack_require__(389);\nvar ReactReconciler = __webpack_require__(390);\nvar Transaction = __webpack_require__(399);\n\nvar invariant = __webpack_require__(338);\n\nvar dirtyComponents = [];\nvar updateBatchNumber = 0;\nvar asapCallbackQueue = CallbackQueue.getPooled();\nvar asapEnqueued = false;\n\nvar batchingStrategy = null;\n\nfunction ensureInjected() {\n !(ReactUpdates.ReactReconcileTransaction && batchingStrategy) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'ReactUpdates: must inject a reconcile transaction class and batching strategy') : _prodInvariant('123') : void 0;\n}\n\nvar NESTED_UPDATES = {\n initialize: function () {\n this.dirtyComponentsLength = dirtyComponents.length;\n },\n close: function () {\n if (this.dirtyComponentsLength !== dirtyComponents.length) {\n // Additional updates were enqueued by componentDidUpdate handlers or\n // similar; before our own UPDATE_QUEUEING wrapper closes, we want to run\n // these new updates so that if A's componentDidUpdate calls setState on\n // B, B will update before the callback A's updater provided when calling\n // setState.\n dirtyComponents.splice(0, this.dirtyComponentsLength);\n flushBatchedUpdates();\n } else {\n dirtyComponents.length = 0;\n }\n }\n};\n\nvar UPDATE_QUEUEING = {\n initialize: function () {\n this.callbackQueue.reset();\n },\n close: function () {\n this.callbackQueue.notifyAll();\n }\n};\n\nvar TRANSACTION_WRAPPERS = [NESTED_UPDATES, UPDATE_QUEUEING];\n\nfunction ReactUpdatesFlushTransaction() {\n this.reinitializeTransaction();\n this.dirtyComponentsLength = null;\n this.callbackQueue = CallbackQueue.getPooled();\n this.reconcileTransaction = ReactUpdates.ReactReconcileTransaction.getPooled(\n /* useCreateElement */true);\n}\n\n_assign(ReactUpdatesFlushTransaction.prototype, Transaction, {\n getTransactionWrappers: function () {\n return TRANSACTION_WRAPPERS;\n },\n\n destructor: function () {\n this.dirtyComponentsLength = null;\n CallbackQueue.release(this.callbackQueue);\n this.callbackQueue = null;\n ReactUpdates.ReactReconcileTransaction.release(this.reconcileTransaction);\n this.reconcileTransaction = null;\n },\n\n perform: function (method, scope, a) {\n // Essentially calls `this.reconcileTransaction.perform(method, scope, a)`\n // with this transaction's wrappers around it.\n return Transaction.perform.call(this, this.reconcileTransaction.perform, this.reconcileTransaction, method, scope, a);\n }\n});\n\nPooledClass.addPoolingTo(ReactUpdatesFlushTransaction);\n\nfunction batchedUpdates(callback, a, b, c, d, e) {\n ensureInjected();\n return batchingStrategy.batchedUpdates(callback, a, b, c, d, e);\n}\n\n/**\n * Array comparator for ReactComponents by mount ordering.\n *\n * @param {ReactComponent} c1 first component you're comparing\n * @param {ReactComponent} c2 second component you're comparing\n * @return {number} Return value usable by Array.prototype.sort().\n */\nfunction mountOrderComparator(c1, c2) {\n return c1._mountOrder - c2._mountOrder;\n}\n\nfunction runBatchedUpdates(transaction) {\n var len = transaction.dirtyComponentsLength;\n !(len === dirtyComponents.length) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Expected flush transaction\\'s stored dirty-components length (%s) to match dirty-components array length (%s).', len, dirtyComponents.length) : _prodInvariant('124', len, dirtyComponents.length) : void 0;\n\n // Since reconciling a component higher in the owner hierarchy usually (not\n // always -- see shouldComponentUpdate()) will reconcile children, reconcile\n // them before their children by sorting the array.\n dirtyComponents.sort(mountOrderComparator);\n\n // Any updates enqueued while reconciling must be performed after this entire\n // batch. Otherwise, if dirtyComponents is [A, B] where A has children B and\n // C, B could update twice in a single batch if C's render enqueues an update\n // to B (since B would have already updated, we should skip it, and the only\n // way we can know to do so is by checking the batch counter).\n updateBatchNumber++;\n\n for (var i = 0; i < len; i++) {\n // If a component is unmounted before pending changes apply, it will still\n // be here, but we assume that it has cleared its _pendingCallbacks and\n // that performUpdateIfNecessary is a noop.\n var component = dirtyComponents[i];\n\n // If performUpdateIfNecessary happens to enqueue any new updates, we\n // shouldn't execute the callbacks until the next render happens, so\n // stash the callbacks first\n var callbacks = component._pendingCallbacks;\n component._pendingCallbacks = null;\n\n var markerName;\n if (ReactFeatureFlags.logTopLevelRenders) {\n var namedComponent = component;\n // Duck type TopLevelWrapper. This is probably always true.\n if (component._currentElement.type.isReactTopLevelWrapper) {\n namedComponent = component._renderedComponent;\n }\n markerName = 'React update: ' + namedComponent.getName();\n console.time(markerName);\n }\n\n ReactReconciler.performUpdateIfNecessary(component, transaction.reconcileTransaction, updateBatchNumber);\n\n if (markerName) {\n console.timeEnd(markerName);\n }\n\n if (callbacks) {\n for (var j = 0; j < callbacks.length; j++) {\n transaction.callbackQueue.enqueue(callbacks[j], component.getPublicInstance());\n }\n }\n }\n}\n\nvar flushBatchedUpdates = function () {\n // ReactUpdatesFlushTransaction's wrappers will clear the dirtyComponents\n // array and perform any updates enqueued by mount-ready handlers (i.e.,\n // componentDidUpdate) but we need to check here too in order to catch\n // updates enqueued by setState callbacks and asap calls.\n while (dirtyComponents.length || asapEnqueued) {\n if (dirtyComponents.length) {\n var transaction = ReactUpdatesFlushTransaction.getPooled();\n transaction.perform(runBatchedUpdates, null, transaction);\n ReactUpdatesFlushTransaction.release(transaction);\n }\n\n if (asapEnqueued) {\n asapEnqueued = false;\n var queue = asapCallbackQueue;\n asapCallbackQueue = CallbackQueue.getPooled();\n queue.notifyAll();\n CallbackQueue.release(queue);\n }\n }\n};\n\n/**\n * Mark a component as needing a rerender, adding an optional callback to a\n * list of functions which will be executed once the rerender occurs.\n */\nfunction enqueueUpdate(component) {\n ensureInjected();\n\n // Various parts of our code (such as ReactCompositeComponent's\n // _renderValidatedComponent) assume that calls to render aren't nested;\n // verify that that's the case. (This is called by each top-level update\n // function, like setState, forceUpdate, etc.; creation and\n // destruction of top-level components is guarded in ReactMount.)\n\n if (!batchingStrategy.isBatchingUpdates) {\n batchingStrategy.batchedUpdates(enqueueUpdate, component);\n return;\n }\n\n dirtyComponents.push(component);\n if (component._updateBatchNumber == null) {\n component._updateBatchNumber = updateBatchNumber + 1;\n }\n}\n\n/**\n * Enqueue a callback to be run at the end of the current batching cycle. Throws\n * if no updates are currently being performed.\n */\nfunction asap(callback, context) {\n invariant(batchingStrategy.isBatchingUpdates, \"ReactUpdates.asap: Can't enqueue an asap callback in a context where\" + 'updates are not being batched.');\n asapCallbackQueue.enqueue(callback, context);\n asapEnqueued = true;\n}\n\nvar ReactUpdatesInjection = {\n injectReconcileTransaction: function (ReconcileTransaction) {\n !ReconcileTransaction ? process.env.NODE_ENV !== 'production' ? invariant(false, 'ReactUpdates: must provide a reconcile transaction class') : _prodInvariant('126') : void 0;\n ReactUpdates.ReactReconcileTransaction = ReconcileTransaction;\n },\n\n injectBatchingStrategy: function (_batchingStrategy) {\n !_batchingStrategy ? process.env.NODE_ENV !== 'production' ? invariant(false, 'ReactUpdates: must provide a batching strategy') : _prodInvariant('127') : void 0;\n !(typeof _batchingStrategy.batchedUpdates === 'function') ? process.env.NODE_ENV !== 'production' ? invariant(false, 'ReactUpdates: must provide a batchedUpdates() function') : _prodInvariant('128') : void 0;\n !(typeof _batchingStrategy.isBatchingUpdates === 'boolean') ? process.env.NODE_ENV !== 'production' ? invariant(false, 'ReactUpdates: must provide an isBatchingUpdates boolean attribute') : _prodInvariant('129') : void 0;\n batchingStrategy = _batchingStrategy;\n }\n};\n\nvar ReactUpdates = {\n /**\n * React references `ReactReconcileTransaction` using this property in order\n * to allow dependency injection.\n *\n * @internal\n */\n ReactReconcileTransaction: null,\n\n batchedUpdates: batchedUpdates,\n enqueueUpdate: enqueueUpdate,\n flushBatchedUpdates: flushBatchedUpdates,\n injection: ReactUpdatesInjection,\n asap: asap\n};\n\nmodule.exports = ReactUpdates;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactUpdates.js\n// module id = 387\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactUpdates.js?"); + +/***/ }), +/* 388 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nvar PooledClass = __webpack_require__(381);\n\nvar invariant = __webpack_require__(338);\n\n/**\n * A specialized pseudo-event module to help keep track of components waiting to\n * be notified when their DOM representations are available for use.\n *\n * This implements `PooledClass`, so you should never need to instantiate this.\n * Instead, use `CallbackQueue.getPooled()`.\n *\n * @class ReactMountReady\n * @implements PooledClass\n * @internal\n */\n\nvar CallbackQueue = function () {\n function CallbackQueue(arg) {\n _classCallCheck(this, CallbackQueue);\n\n this._callbacks = null;\n this._contexts = null;\n this._arg = arg;\n }\n\n /**\n * Enqueues a callback to be invoked when `notifyAll` is invoked.\n *\n * @param {function} callback Invoked when `notifyAll` is invoked.\n * @param {?object} context Context to call `callback` with.\n * @internal\n */\n\n\n CallbackQueue.prototype.enqueue = function enqueue(callback, context) {\n this._callbacks = this._callbacks || [];\n this._callbacks.push(callback);\n this._contexts = this._contexts || [];\n this._contexts.push(context);\n };\n\n /**\n * Invokes all enqueued callbacks and clears the queue. This is invoked after\n * the DOM representation of a component has been created or updated.\n *\n * @internal\n */\n\n\n CallbackQueue.prototype.notifyAll = function notifyAll() {\n var callbacks = this._callbacks;\n var contexts = this._contexts;\n var arg = this._arg;\n if (callbacks && contexts) {\n !(callbacks.length === contexts.length) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Mismatched list of contexts in callback queue') : _prodInvariant('24') : void 0;\n this._callbacks = null;\n this._contexts = null;\n for (var i = 0; i < callbacks.length; i++) {\n callbacks[i].call(contexts[i], arg);\n }\n callbacks.length = 0;\n contexts.length = 0;\n }\n };\n\n CallbackQueue.prototype.checkpoint = function checkpoint() {\n return this._callbacks ? this._callbacks.length : 0;\n };\n\n CallbackQueue.prototype.rollback = function rollback(len) {\n if (this._callbacks && this._contexts) {\n this._callbacks.length = len;\n this._contexts.length = len;\n }\n };\n\n /**\n * Resets the internal queue.\n *\n * @internal\n */\n\n\n CallbackQueue.prototype.reset = function reset() {\n this._callbacks = null;\n this._contexts = null;\n };\n\n /**\n * `PooledClass` looks for this.\n */\n\n\n CallbackQueue.prototype.destructor = function destructor() {\n this.reset();\n };\n\n return CallbackQueue;\n}();\n\nmodule.exports = PooledClass.addPoolingTo(CallbackQueue);\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/CallbackQueue.js\n// module id = 388\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/CallbackQueue.js?"); + +/***/ }), +/* 389 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar ReactFeatureFlags = {\n // When true, call console.time() before and .timeEnd() after each top-level\n // render (both initial renders and updates). Useful when looking at prod-mode\n // timeline profiles in Chrome, for example.\n logTopLevelRenders: false\n};\n\nmodule.exports = ReactFeatureFlags;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactFeatureFlags.js\n// module id = 389\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactFeatureFlags.js?"); + +/***/ }), +/* 390 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ReactRef = __webpack_require__(391);\nvar ReactInstrumentation = __webpack_require__(393);\n\nvar warning = __webpack_require__(334);\n\n/**\n * Helper to call ReactRef.attachRefs with this composite component, split out\n * to avoid allocations in the transaction mount-ready queue.\n */\nfunction attachRefs() {\n ReactRef.attachRefs(this, this._currentElement);\n}\n\nvar ReactReconciler = {\n /**\n * Initializes the component, renders markup, and registers event listeners.\n *\n * @param {ReactComponent} internalInstance\n * @param {ReactReconcileTransaction|ReactServerRenderingTransaction} transaction\n * @param {?object} the containing host component instance\n * @param {?object} info about the host container\n * @return {?string} Rendered markup to be inserted into the DOM.\n * @final\n * @internal\n */\n mountComponent: function (internalInstance, transaction, hostParent, hostContainerInfo, context, parentDebugID) // 0 in production and for roots\n {\n if (process.env.NODE_ENV !== 'production') {\n if (internalInstance._debugID !== 0) {\n ReactInstrumentation.debugTool.onBeforeMountComponent(internalInstance._debugID, internalInstance._currentElement, parentDebugID);\n }\n }\n var markup = internalInstance.mountComponent(transaction, hostParent, hostContainerInfo, context, parentDebugID);\n if (internalInstance._currentElement && internalInstance._currentElement.ref != null) {\n transaction.getReactMountReady().enqueue(attachRefs, internalInstance);\n }\n if (process.env.NODE_ENV !== 'production') {\n if (internalInstance._debugID !== 0) {\n ReactInstrumentation.debugTool.onMountComponent(internalInstance._debugID);\n }\n }\n return markup;\n },\n\n /**\n * Returns a value that can be passed to\n * ReactComponentEnvironment.replaceNodeWithMarkup.\n */\n getHostNode: function (internalInstance) {\n return internalInstance.getHostNode();\n },\n\n /**\n * Releases any resources allocated by `mountComponent`.\n *\n * @final\n * @internal\n */\n unmountComponent: function (internalInstance, safely) {\n if (process.env.NODE_ENV !== 'production') {\n if (internalInstance._debugID !== 0) {\n ReactInstrumentation.debugTool.onBeforeUnmountComponent(internalInstance._debugID);\n }\n }\n ReactRef.detachRefs(internalInstance, internalInstance._currentElement);\n internalInstance.unmountComponent(safely);\n if (process.env.NODE_ENV !== 'production') {\n if (internalInstance._debugID !== 0) {\n ReactInstrumentation.debugTool.onUnmountComponent(internalInstance._debugID);\n }\n }\n },\n\n /**\n * Update a component using a new element.\n *\n * @param {ReactComponent} internalInstance\n * @param {ReactElement} nextElement\n * @param {ReactReconcileTransaction} transaction\n * @param {object} context\n * @internal\n */\n receiveComponent: function (internalInstance, nextElement, transaction, context) {\n var prevElement = internalInstance._currentElement;\n\n if (nextElement === prevElement && context === internalInstance._context) {\n // Since elements are immutable after the owner is rendered,\n // we can do a cheap identity compare here to determine if this is a\n // superfluous reconcile. It's possible for state to be mutable but such\n // change should trigger an update of the owner which would recreate\n // the element. We explicitly check for the existence of an owner since\n // it's possible for an element created outside a composite to be\n // deeply mutated and reused.\n\n // TODO: Bailing out early is just a perf optimization right?\n // TODO: Removing the return statement should affect correctness?\n return;\n }\n\n if (process.env.NODE_ENV !== 'production') {\n if (internalInstance._debugID !== 0) {\n ReactInstrumentation.debugTool.onBeforeUpdateComponent(internalInstance._debugID, nextElement);\n }\n }\n\n var refsChanged = ReactRef.shouldUpdateRefs(prevElement, nextElement);\n\n if (refsChanged) {\n ReactRef.detachRefs(internalInstance, prevElement);\n }\n\n internalInstance.receiveComponent(nextElement, transaction, context);\n\n if (refsChanged && internalInstance._currentElement && internalInstance._currentElement.ref != null) {\n transaction.getReactMountReady().enqueue(attachRefs, internalInstance);\n }\n\n if (process.env.NODE_ENV !== 'production') {\n if (internalInstance._debugID !== 0) {\n ReactInstrumentation.debugTool.onUpdateComponent(internalInstance._debugID);\n }\n }\n },\n\n /**\n * Flush any dirty changes in a component.\n *\n * @param {ReactComponent} internalInstance\n * @param {ReactReconcileTransaction} transaction\n * @internal\n */\n performUpdateIfNecessary: function (internalInstance, transaction, updateBatchNumber) {\n if (internalInstance._updateBatchNumber !== updateBatchNumber) {\n // The component's enqueued batch number should always be the current\n // batch or the following one.\n process.env.NODE_ENV !== 'production' ? warning(internalInstance._updateBatchNumber == null || internalInstance._updateBatchNumber === updateBatchNumber + 1, 'performUpdateIfNecessary: Unexpected batch number (current %s, ' + 'pending %s)', updateBatchNumber, internalInstance._updateBatchNumber) : void 0;\n return;\n }\n if (process.env.NODE_ENV !== 'production') {\n if (internalInstance._debugID !== 0) {\n ReactInstrumentation.debugTool.onBeforeUpdateComponent(internalInstance._debugID, internalInstance._currentElement);\n }\n }\n internalInstance.performUpdateIfNecessary(transaction);\n if (process.env.NODE_ENV !== 'production') {\n if (internalInstance._debugID !== 0) {\n ReactInstrumentation.debugTool.onUpdateComponent(internalInstance._debugID);\n }\n }\n }\n};\n\nmodule.exports = ReactReconciler;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactReconciler.js\n// module id = 390\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactReconciler.js?"); + +/***/ }), +/* 391 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar ReactOwner = __webpack_require__(392);\n\nvar ReactRef = {};\n\nfunction attachRef(ref, component, owner) {\n if (typeof ref === 'function') {\n ref(component.getPublicInstance());\n } else {\n // Legacy ref\n ReactOwner.addComponentAsRefTo(component, ref, owner);\n }\n}\n\nfunction detachRef(ref, component, owner) {\n if (typeof ref === 'function') {\n ref(null);\n } else {\n // Legacy ref\n ReactOwner.removeComponentAsRefFrom(component, ref, owner);\n }\n}\n\nReactRef.attachRefs = function (instance, element) {\n if (element === null || typeof element !== 'object') {\n return;\n }\n var ref = element.ref;\n if (ref != null) {\n attachRef(ref, instance, element._owner);\n }\n};\n\nReactRef.shouldUpdateRefs = function (prevElement, nextElement) {\n // If either the owner or a `ref` has changed, make sure the newest owner\n // has stored a reference to `this`, and the previous owner (if different)\n // has forgotten the reference to `this`. We use the element instead\n // of the public this.props because the post processing cannot determine\n // a ref. The ref conceptually lives on the element.\n\n // TODO: Should this even be possible? The owner cannot change because\n // it's forbidden by shouldUpdateReactComponent. The ref can change\n // if you swap the keys of but not the refs. Reconsider where this check\n // is made. It probably belongs where the key checking and\n // instantiateReactComponent is done.\n\n var prevRef = null;\n var prevOwner = null;\n if (prevElement !== null && typeof prevElement === 'object') {\n prevRef = prevElement.ref;\n prevOwner = prevElement._owner;\n }\n\n var nextRef = null;\n var nextOwner = null;\n if (nextElement !== null && typeof nextElement === 'object') {\n nextRef = nextElement.ref;\n nextOwner = nextElement._owner;\n }\n\n return prevRef !== nextRef ||\n // If owner changes but we have an unchanged function ref, don't update refs\n typeof nextRef === 'string' && nextOwner !== prevOwner;\n};\n\nReactRef.detachRefs = function (instance, element) {\n if (element === null || typeof element !== 'object') {\n return;\n }\n var ref = element.ref;\n if (ref != null) {\n detachRef(ref, instance, element._owner);\n }\n};\n\nmodule.exports = ReactRef;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactRef.js\n// module id = 391\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactRef.js?"); + +/***/ }), +/* 392 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nvar invariant = __webpack_require__(338);\n\n/**\n * @param {?object} object\n * @return {boolean} True if `object` is a valid owner.\n * @final\n */\nfunction isValidOwner(object) {\n return !!(object && typeof object.attachRef === 'function' && typeof object.detachRef === 'function');\n}\n\n/**\n * ReactOwners are capable of storing references to owned components.\n *\n * All components are capable of //being// referenced by owner components, but\n * only ReactOwner components are capable of //referencing// owned components.\n * The named reference is known as a \"ref\".\n *\n * Refs are available when mounted and updated during reconciliation.\n *\n * var MyComponent = React.createClass({\n * render: function() {\n * return (\n *
\n * \n *
\n * );\n * },\n * handleClick: function() {\n * this.refs.custom.handleClick();\n * },\n * componentDidMount: function() {\n * this.refs.custom.initialize();\n * }\n * });\n *\n * Refs should rarely be used. When refs are used, they should only be done to\n * control data that is not handled by React's data flow.\n *\n * @class ReactOwner\n */\nvar ReactOwner = {\n /**\n * Adds a component by ref to an owner component.\n *\n * @param {ReactComponent} component Component to reference.\n * @param {string} ref Name by which to refer to the component.\n * @param {ReactOwner} owner Component on which to record the ref.\n * @final\n * @internal\n */\n addComponentAsRefTo: function (component, ref, owner) {\n !isValidOwner(owner) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'addComponentAsRefTo(...): Only a ReactOwner can have refs. You might be adding a ref to a component that was not created inside a component\\'s `render` method, or you have multiple copies of React loaded (details: https://fb.me/react-refs-must-have-owner).') : _prodInvariant('119') : void 0;\n owner.attachRef(ref, component);\n },\n\n /**\n * Removes a component by ref from an owner component.\n *\n * @param {ReactComponent} component Component to dereference.\n * @param {string} ref Name of the ref to remove.\n * @param {ReactOwner} owner Component on which the ref is recorded.\n * @final\n * @internal\n */\n removeComponentAsRefFrom: function (component, ref, owner) {\n !isValidOwner(owner) ? process.env.NODE_ENV !== 'production' ? invariant(false, 'removeComponentAsRefFrom(...): Only a ReactOwner can have refs. You might be removing a ref to a component that was not created inside a component\\'s `render` method, or you have multiple copies of React loaded (details: https://fb.me/react-refs-must-have-owner).') : _prodInvariant('120') : void 0;\n var ownerPublicInstance = owner.getPublicInstance();\n // Check that `component`'s owner is still alive and that `component` is still the current ref\n // because we do not want to detach the ref if another component stole it.\n if (ownerPublicInstance && ownerPublicInstance.refs[ref] === component.getPublicInstance()) {\n owner.detachRef(ref);\n }\n }\n};\n\nmodule.exports = ReactOwner;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactOwner.js\n// module id = 392\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactOwner.js?"); + +/***/ }), +/* 393 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2016-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\n// Trust the developer to only use ReactInstrumentation with a __DEV__ check\n\nvar debugTool = null;\n\nif (process.env.NODE_ENV !== 'production') {\n var ReactDebugTool = __webpack_require__(394);\n debugTool = ReactDebugTool;\n}\n\nmodule.exports = { debugTool: debugTool };\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactInstrumentation.js\n// module id = 393\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactInstrumentation.js?"); + +/***/ }), +/* 394 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2016-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar ReactInvalidSetStateWarningHook = __webpack_require__(395);\nvar ReactHostOperationHistoryHook = __webpack_require__(396);\nvar ReactComponentTreeHook = __webpack_require__(350);\nvar ExecutionEnvironment = __webpack_require__(379);\n\nvar performanceNow = __webpack_require__(397);\nvar warning = __webpack_require__(334);\n\nvar hooks = [];\nvar didHookThrowForEvent = {};\n\nfunction callHook(event, fn, context, arg1, arg2, arg3, arg4, arg5) {\n try {\n fn.call(context, arg1, arg2, arg3, arg4, arg5);\n } catch (e) {\n process.env.NODE_ENV !== 'production' ? warning(didHookThrowForEvent[event], 'Exception thrown by hook while handling %s: %s', event, e + '\\n' + e.stack) : void 0;\n didHookThrowForEvent[event] = true;\n }\n}\n\nfunction emitEvent(event, arg1, arg2, arg3, arg4, arg5) {\n for (var i = 0; i < hooks.length; i++) {\n var hook = hooks[i];\n var fn = hook[event];\n if (fn) {\n callHook(event, fn, hook, arg1, arg2, arg3, arg4, arg5);\n }\n }\n}\n\nvar isProfiling = false;\nvar flushHistory = [];\nvar lifeCycleTimerStack = [];\nvar currentFlushNesting = 0;\nvar currentFlushMeasurements = [];\nvar currentFlushStartTime = 0;\nvar currentTimerDebugID = null;\nvar currentTimerStartTime = 0;\nvar currentTimerNestedFlushDuration = 0;\nvar currentTimerType = null;\n\nvar lifeCycleTimerHasWarned = false;\n\nfunction clearHistory() {\n ReactComponentTreeHook.purgeUnmountedComponents();\n ReactHostOperationHistoryHook.clearHistory();\n}\n\nfunction getTreeSnapshot(registeredIDs) {\n return registeredIDs.reduce(function (tree, id) {\n var ownerID = ReactComponentTreeHook.getOwnerID(id);\n var parentID = ReactComponentTreeHook.getParentID(id);\n tree[id] = {\n displayName: ReactComponentTreeHook.getDisplayName(id),\n text: ReactComponentTreeHook.getText(id),\n updateCount: ReactComponentTreeHook.getUpdateCount(id),\n childIDs: ReactComponentTreeHook.getChildIDs(id),\n // Text nodes don't have owners but this is close enough.\n ownerID: ownerID || parentID && ReactComponentTreeHook.getOwnerID(parentID) || 0,\n parentID: parentID\n };\n return tree;\n }, {});\n}\n\nfunction resetMeasurements() {\n var previousStartTime = currentFlushStartTime;\n var previousMeasurements = currentFlushMeasurements;\n var previousOperations = ReactHostOperationHistoryHook.getHistory();\n\n if (currentFlushNesting === 0) {\n currentFlushStartTime = 0;\n currentFlushMeasurements = [];\n clearHistory();\n return;\n }\n\n if (previousMeasurements.length || previousOperations.length) {\n var registeredIDs = ReactComponentTreeHook.getRegisteredIDs();\n flushHistory.push({\n duration: performanceNow() - previousStartTime,\n measurements: previousMeasurements || [],\n operations: previousOperations || [],\n treeSnapshot: getTreeSnapshot(registeredIDs)\n });\n }\n\n clearHistory();\n currentFlushStartTime = performanceNow();\n currentFlushMeasurements = [];\n}\n\nfunction checkDebugID(debugID) {\n var allowRoot = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false;\n\n if (allowRoot && debugID === 0) {\n return;\n }\n if (!debugID) {\n process.env.NODE_ENV !== 'production' ? warning(false, 'ReactDebugTool: debugID may not be empty.') : void 0;\n }\n}\n\nfunction beginLifeCycleTimer(debugID, timerType) {\n if (currentFlushNesting === 0) {\n return;\n }\n if (currentTimerType && !lifeCycleTimerHasWarned) {\n process.env.NODE_ENV !== 'production' ? warning(false, 'There is an internal error in the React performance measurement code. ' + 'Did not expect %s timer to start while %s timer is still in ' + 'progress for %s instance.', timerType, currentTimerType || 'no', debugID === currentTimerDebugID ? 'the same' : 'another') : void 0;\n lifeCycleTimerHasWarned = true;\n }\n currentTimerStartTime = performanceNow();\n currentTimerNestedFlushDuration = 0;\n currentTimerDebugID = debugID;\n currentTimerType = timerType;\n}\n\nfunction endLifeCycleTimer(debugID, timerType) {\n if (currentFlushNesting === 0) {\n return;\n }\n if (currentTimerType !== timerType && !lifeCycleTimerHasWarned) {\n process.env.NODE_ENV !== 'production' ? warning(false, 'There is an internal error in the React performance measurement code. ' + 'We did not expect %s timer to stop while %s timer is still in ' + 'progress for %s instance. Please report this as a bug in React.', timerType, currentTimerType || 'no', debugID === currentTimerDebugID ? 'the same' : 'another') : void 0;\n lifeCycleTimerHasWarned = true;\n }\n if (isProfiling) {\n currentFlushMeasurements.push({\n timerType: timerType,\n instanceID: debugID,\n duration: performanceNow() - currentTimerStartTime - currentTimerNestedFlushDuration\n });\n }\n currentTimerStartTime = 0;\n currentTimerNestedFlushDuration = 0;\n currentTimerDebugID = null;\n currentTimerType = null;\n}\n\nfunction pauseCurrentLifeCycleTimer() {\n var currentTimer = {\n startTime: currentTimerStartTime,\n nestedFlushStartTime: performanceNow(),\n debugID: currentTimerDebugID,\n timerType: currentTimerType\n };\n lifeCycleTimerStack.push(currentTimer);\n currentTimerStartTime = 0;\n currentTimerNestedFlushDuration = 0;\n currentTimerDebugID = null;\n currentTimerType = null;\n}\n\nfunction resumeCurrentLifeCycleTimer() {\n var _lifeCycleTimerStack$ = lifeCycleTimerStack.pop(),\n startTime = _lifeCycleTimerStack$.startTime,\n nestedFlushStartTime = _lifeCycleTimerStack$.nestedFlushStartTime,\n debugID = _lifeCycleTimerStack$.debugID,\n timerType = _lifeCycleTimerStack$.timerType;\n\n var nestedFlushDuration = performanceNow() - nestedFlushStartTime;\n currentTimerStartTime = startTime;\n currentTimerNestedFlushDuration += nestedFlushDuration;\n currentTimerDebugID = debugID;\n currentTimerType = timerType;\n}\n\nvar lastMarkTimeStamp = 0;\nvar canUsePerformanceMeasure = typeof performance !== 'undefined' && typeof performance.mark === 'function' && typeof performance.clearMarks === 'function' && typeof performance.measure === 'function' && typeof performance.clearMeasures === 'function';\n\nfunction shouldMark(debugID) {\n if (!isProfiling || !canUsePerformanceMeasure) {\n return false;\n }\n var element = ReactComponentTreeHook.getElement(debugID);\n if (element == null || typeof element !== 'object') {\n return false;\n }\n var isHostElement = typeof element.type === 'string';\n if (isHostElement) {\n return false;\n }\n return true;\n}\n\nfunction markBegin(debugID, markType) {\n if (!shouldMark(debugID)) {\n return;\n }\n\n var markName = debugID + '::' + markType;\n lastMarkTimeStamp = performanceNow();\n performance.mark(markName);\n}\n\nfunction markEnd(debugID, markType) {\n if (!shouldMark(debugID)) {\n return;\n }\n\n var markName = debugID + '::' + markType;\n var displayName = ReactComponentTreeHook.getDisplayName(debugID) || 'Unknown';\n\n // Chrome has an issue of dropping markers recorded too fast:\n // https://bugs.chromium.org/p/chromium/issues/detail?id=640652\n // To work around this, we will not report very small measurements.\n // I determined the magic number by tweaking it back and forth.\n // 0.05ms was enough to prevent the issue, but I set it to 0.1ms to be safe.\n // When the bug is fixed, we can `measure()` unconditionally if we want to.\n var timeStamp = performanceNow();\n if (timeStamp - lastMarkTimeStamp > 0.1) {\n var measurementName = displayName + ' [' + markType + ']';\n performance.measure(measurementName, markName);\n }\n\n performance.clearMarks(markName);\n if (measurementName) {\n performance.clearMeasures(measurementName);\n }\n}\n\nvar ReactDebugTool = {\n addHook: function (hook) {\n hooks.push(hook);\n },\n removeHook: function (hook) {\n for (var i = 0; i < hooks.length; i++) {\n if (hooks[i] === hook) {\n hooks.splice(i, 1);\n i--;\n }\n }\n },\n isProfiling: function () {\n return isProfiling;\n },\n beginProfiling: function () {\n if (isProfiling) {\n return;\n }\n\n isProfiling = true;\n flushHistory.length = 0;\n resetMeasurements();\n ReactDebugTool.addHook(ReactHostOperationHistoryHook);\n },\n endProfiling: function () {\n if (!isProfiling) {\n return;\n }\n\n isProfiling = false;\n resetMeasurements();\n ReactDebugTool.removeHook(ReactHostOperationHistoryHook);\n },\n getFlushHistory: function () {\n return flushHistory;\n },\n onBeginFlush: function () {\n currentFlushNesting++;\n resetMeasurements();\n pauseCurrentLifeCycleTimer();\n emitEvent('onBeginFlush');\n },\n onEndFlush: function () {\n resetMeasurements();\n currentFlushNesting--;\n resumeCurrentLifeCycleTimer();\n emitEvent('onEndFlush');\n },\n onBeginLifeCycleTimer: function (debugID, timerType) {\n checkDebugID(debugID);\n emitEvent('onBeginLifeCycleTimer', debugID, timerType);\n markBegin(debugID, timerType);\n beginLifeCycleTimer(debugID, timerType);\n },\n onEndLifeCycleTimer: function (debugID, timerType) {\n checkDebugID(debugID);\n endLifeCycleTimer(debugID, timerType);\n markEnd(debugID, timerType);\n emitEvent('onEndLifeCycleTimer', debugID, timerType);\n },\n onBeginProcessingChildContext: function () {\n emitEvent('onBeginProcessingChildContext');\n },\n onEndProcessingChildContext: function () {\n emitEvent('onEndProcessingChildContext');\n },\n onHostOperation: function (operation) {\n checkDebugID(operation.instanceID);\n emitEvent('onHostOperation', operation);\n },\n onSetState: function () {\n emitEvent('onSetState');\n },\n onSetChildren: function (debugID, childDebugIDs) {\n checkDebugID(debugID);\n childDebugIDs.forEach(checkDebugID);\n emitEvent('onSetChildren', debugID, childDebugIDs);\n },\n onBeforeMountComponent: function (debugID, element, parentDebugID) {\n checkDebugID(debugID);\n checkDebugID(parentDebugID, true);\n emitEvent('onBeforeMountComponent', debugID, element, parentDebugID);\n markBegin(debugID, 'mount');\n },\n onMountComponent: function (debugID) {\n checkDebugID(debugID);\n markEnd(debugID, 'mount');\n emitEvent('onMountComponent', debugID);\n },\n onBeforeUpdateComponent: function (debugID, element) {\n checkDebugID(debugID);\n emitEvent('onBeforeUpdateComponent', debugID, element);\n markBegin(debugID, 'update');\n },\n onUpdateComponent: function (debugID) {\n checkDebugID(debugID);\n markEnd(debugID, 'update');\n emitEvent('onUpdateComponent', debugID);\n },\n onBeforeUnmountComponent: function (debugID) {\n checkDebugID(debugID);\n emitEvent('onBeforeUnmountComponent', debugID);\n markBegin(debugID, 'unmount');\n },\n onUnmountComponent: function (debugID) {\n checkDebugID(debugID);\n markEnd(debugID, 'unmount');\n emitEvent('onUnmountComponent', debugID);\n },\n onTestEvent: function () {\n emitEvent('onTestEvent');\n }\n};\n\n// TODO remove these when RN/www gets updated\nReactDebugTool.addDevtool = ReactDebugTool.addHook;\nReactDebugTool.removeDevtool = ReactDebugTool.removeHook;\n\nReactDebugTool.addHook(ReactInvalidSetStateWarningHook);\nReactDebugTool.addHook(ReactComponentTreeHook);\nvar url = ExecutionEnvironment.canUseDOM && window.location.href || '';\nif (/[?&]react_perf\\b/.test(url)) {\n ReactDebugTool.beginProfiling();\n}\n\nmodule.exports = ReactDebugTool;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactDebugTool.js\n// module id = 394\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactDebugTool.js?"); + +/***/ }), +/* 395 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2016-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar warning = __webpack_require__(334);\n\nif (process.env.NODE_ENV !== 'production') {\n var processingChildContext = false;\n\n var warnInvalidSetState = function () {\n process.env.NODE_ENV !== 'production' ? warning(!processingChildContext, 'setState(...): Cannot call setState() inside getChildContext()') : void 0;\n };\n}\n\nvar ReactInvalidSetStateWarningHook = {\n onBeginProcessingChildContext: function () {\n processingChildContext = true;\n },\n onEndProcessingChildContext: function () {\n processingChildContext = false;\n },\n onSetState: function () {\n warnInvalidSetState();\n }\n};\n\nmodule.exports = ReactInvalidSetStateWarningHook;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactInvalidSetStateWarningHook.js\n// module id = 395\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactInvalidSetStateWarningHook.js?"); + +/***/ }), +/* 396 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2016-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar history = [];\n\nvar ReactHostOperationHistoryHook = {\n onHostOperation: function (operation) {\n history.push(operation);\n },\n clearHistory: function () {\n if (ReactHostOperationHistoryHook._preventClearing) {\n // Should only be used for tests.\n return;\n }\n\n history = [];\n },\n getHistory: function () {\n return history;\n }\n};\n\nmodule.exports = ReactHostOperationHistoryHook;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactHostOperationHistoryHook.js\n// module id = 396\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactHostOperationHistoryHook.js?"); + +/***/ }), +/* 397 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("'use strict';\n\n/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * @typechecks\n */\n\nvar performance = __webpack_require__(398);\n\nvar performanceNow;\n\n/**\n * Detect if we can use `window.performance.now()` and gracefully fallback to\n * `Date.now()` if it doesn't exist. We need to support Firefox < 15 for now\n * because of Facebook's testing infrastructure.\n */\nif (performance.now) {\n performanceNow = function performanceNow() {\n return performance.now();\n };\n} else {\n performanceNow = function performanceNow() {\n return Date.now();\n };\n}\n\nmodule.exports = performanceNow;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/fbjs/lib/performanceNow.js\n// module id = 397\n// module chunks = 0\n//# sourceURL=webpack:///./~/fbjs/lib/performanceNow.js?"); + +/***/ }), +/* 398 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * @typechecks\n */\n\n'use strict';\n\nvar ExecutionEnvironment = __webpack_require__(379);\n\nvar performance;\n\nif (ExecutionEnvironment.canUseDOM) {\n performance = window.performance || window.msPerformance || window.webkitPerformance;\n}\n\nmodule.exports = performance || {};\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/fbjs/lib/performance.js\n// module id = 398\n// module chunks = 0\n//# sourceURL=webpack:///./~/fbjs/lib/performance.js?"); + +/***/ }), +/* 399 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nvar invariant = __webpack_require__(338);\n\nvar OBSERVED_ERROR = {};\n\n/**\n * `Transaction` creates a black box that is able to wrap any method such that\n * certain invariants are maintained before and after the method is invoked\n * (Even if an exception is thrown while invoking the wrapped method). Whoever\n * instantiates a transaction can provide enforcers of the invariants at\n * creation time. The `Transaction` class itself will supply one additional\n * automatic invariant for you - the invariant that any transaction instance\n * should not be run while it is already being run. You would typically create a\n * single instance of a `Transaction` for reuse multiple times, that potentially\n * is used to wrap several different methods. Wrappers are extremely simple -\n * they only require implementing two methods.\n *\n *
\n *                       wrappers (injected at creation time)\n *                                      +        +\n *                                      |        |\n *                    +-----------------|--------|--------------+\n *                    |                 v        |              |\n *                    |      +---------------+   |              |\n *                    |   +--|    wrapper1   |---|----+         |\n *                    |   |  +---------------+   v    |         |\n *                    |   |          +-------------+  |         |\n *                    |   |     +----|   wrapper2  |--------+   |\n *                    |   |     |    +-------------+  |     |   |\n *                    |   |     |                     |     |   |\n *                    |   v     v                     v     v   | wrapper\n *                    | +---+ +---+   +---------+   +---+ +---+ | invariants\n * perform(anyMethod) | |   | |   |   |         |   |   | |   | | maintained\n * +----------------->|-|---|-|---|-->|anyMethod|---|---|-|---|-|-------->\n *                    | |   | |   |   |         |   |   | |   | |\n *                    | |   | |   |   |         |   |   | |   | |\n *                    | |   | |   |   |         |   |   | |   | |\n *                    | +---+ +---+   +---------+   +---+ +---+ |\n *                    |  initialize                    close    |\n *                    +-----------------------------------------+\n * 
\n *\n * Use cases:\n * - Preserving the input selection ranges before/after reconciliation.\n * Restoring selection even in the event of an unexpected error.\n * - Deactivating events while rearranging the DOM, preventing blurs/focuses,\n * while guaranteeing that afterwards, the event system is reactivated.\n * - Flushing a queue of collected DOM mutations to the main UI thread after a\n * reconciliation takes place in a worker thread.\n * - Invoking any collected `componentDidUpdate` callbacks after rendering new\n * content.\n * - (Future use case): Wrapping particular flushes of the `ReactWorker` queue\n * to preserve the `scrollTop` (an automatic scroll aware DOM).\n * - (Future use case): Layout calculations before and after DOM updates.\n *\n * Transactional plugin API:\n * - A module that has an `initialize` method that returns any precomputation.\n * - and a `close` method that accepts the precomputation. `close` is invoked\n * when the wrapped process is completed, or has failed.\n *\n * @param {Array} transactionWrapper Wrapper modules\n * that implement `initialize` and `close`.\n * @return {Transaction} Single transaction for reuse in thread.\n *\n * @class Transaction\n */\nvar TransactionImpl = {\n /**\n * Sets up this instance so that it is prepared for collecting metrics. Does\n * so such that this setup method may be used on an instance that is already\n * initialized, in a way that does not consume additional memory upon reuse.\n * That can be useful if you decide to make your subclass of this mixin a\n * \"PooledClass\".\n */\n reinitializeTransaction: function () {\n this.transactionWrappers = this.getTransactionWrappers();\n if (this.wrapperInitData) {\n this.wrapperInitData.length = 0;\n } else {\n this.wrapperInitData = [];\n }\n this._isInTransaction = false;\n },\n\n _isInTransaction: false,\n\n /**\n * @abstract\n * @return {Array} Array of transaction wrappers.\n */\n getTransactionWrappers: null,\n\n isInTransaction: function () {\n return !!this._isInTransaction;\n },\n\n /* eslint-disable space-before-function-paren */\n\n /**\n * Executes the function within a safety window. Use this for the top level\n * methods that result in large amounts of computation/mutations that would\n * need to be safety checked. The optional arguments helps prevent the need\n * to bind in many cases.\n *\n * @param {function} method Member of scope to call.\n * @param {Object} scope Scope to invoke from.\n * @param {Object?=} a Argument to pass to the method.\n * @param {Object?=} b Argument to pass to the method.\n * @param {Object?=} c Argument to pass to the method.\n * @param {Object?=} d Argument to pass to the method.\n * @param {Object?=} e Argument to pass to the method.\n * @param {Object?=} f Argument to pass to the method.\n *\n * @return {*} Return value from `method`.\n */\n perform: function (method, scope, a, b, c, d, e, f) {\n /* eslint-enable space-before-function-paren */\n !!this.isInTransaction() ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Transaction.perform(...): Cannot initialize a transaction when there is already an outstanding transaction.') : _prodInvariant('27') : void 0;\n var errorThrown;\n var ret;\n try {\n this._isInTransaction = true;\n // Catching errors makes debugging more difficult, so we start with\n // errorThrown set to true before setting it to false after calling\n // close -- if it's still set to true in the finally block, it means\n // one of these calls threw.\n errorThrown = true;\n this.initializeAll(0);\n ret = method.call(scope, a, b, c, d, e, f);\n errorThrown = false;\n } finally {\n try {\n if (errorThrown) {\n // If `method` throws, prefer to show that stack trace over any thrown\n // by invoking `closeAll`.\n try {\n this.closeAll(0);\n } catch (err) {}\n } else {\n // Since `method` didn't throw, we don't want to silence the exception\n // here.\n this.closeAll(0);\n }\n } finally {\n this._isInTransaction = false;\n }\n }\n return ret;\n },\n\n initializeAll: function (startIndex) {\n var transactionWrappers = this.transactionWrappers;\n for (var i = startIndex; i < transactionWrappers.length; i++) {\n var wrapper = transactionWrappers[i];\n try {\n // Catching errors makes debugging more difficult, so we start with the\n // OBSERVED_ERROR state before overwriting it with the real return value\n // of initialize -- if it's still set to OBSERVED_ERROR in the finally\n // block, it means wrapper.initialize threw.\n this.wrapperInitData[i] = OBSERVED_ERROR;\n this.wrapperInitData[i] = wrapper.initialize ? wrapper.initialize.call(this) : null;\n } finally {\n if (this.wrapperInitData[i] === OBSERVED_ERROR) {\n // The initializer for wrapper i threw an error; initialize the\n // remaining wrappers but silence any exceptions from them to ensure\n // that the first error is the one to bubble up.\n try {\n this.initializeAll(i + 1);\n } catch (err) {}\n }\n }\n }\n },\n\n /**\n * Invokes each of `this.transactionWrappers.close[i]` functions, passing into\n * them the respective return values of `this.transactionWrappers.init[i]`\n * (`close`rs that correspond to initializers that failed will not be\n * invoked).\n */\n closeAll: function (startIndex) {\n !this.isInTransaction() ? process.env.NODE_ENV !== 'production' ? invariant(false, 'Transaction.closeAll(): Cannot close transaction when none are open.') : _prodInvariant('28') : void 0;\n var transactionWrappers = this.transactionWrappers;\n for (var i = startIndex; i < transactionWrappers.length; i++) {\n var wrapper = transactionWrappers[i];\n var initData = this.wrapperInitData[i];\n var errorThrown;\n try {\n // Catching errors makes debugging more difficult, so we start with\n // errorThrown set to true before setting it to false after calling\n // close -- if it's still set to true in the finally block, it means\n // wrapper.close threw.\n errorThrown = true;\n if (initData !== OBSERVED_ERROR && wrapper.close) {\n wrapper.close.call(this, initData);\n }\n errorThrown = false;\n } finally {\n if (errorThrown) {\n // The closer for wrapper i threw an error; close the remaining\n // wrappers but silence any exceptions from them to ensure that the\n // first error is the one to bubble up.\n try {\n this.closeAll(i + 1);\n } catch (e) {}\n }\n }\n }\n this.wrapperInitData.length = 0;\n }\n};\n\nmodule.exports = TransactionImpl;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/Transaction.js\n// module id = 399\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/Transaction.js?"); + +/***/ }), +/* 400 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ReactDOMComponentTree = __webpack_require__(365);\n\nfunction isCheckable(elem) {\n var type = elem.type;\n var nodeName = elem.nodeName;\n return nodeName && nodeName.toLowerCase() === 'input' && (type === 'checkbox' || type === 'radio');\n}\n\nfunction getTracker(inst) {\n return inst._wrapperState.valueTracker;\n}\n\nfunction attachTracker(inst, tracker) {\n inst._wrapperState.valueTracker = tracker;\n}\n\nfunction detachTracker(inst) {\n inst._wrapperState.valueTracker = null;\n}\n\nfunction getValueFromNode(node) {\n var value;\n if (node) {\n value = isCheckable(node) ? '' + node.checked : node.value;\n }\n return value;\n}\n\nvar inputValueTracking = {\n // exposed for testing\n _getTrackerFromNode: function (node) {\n return getTracker(ReactDOMComponentTree.getInstanceFromNode(node));\n },\n\n\n track: function (inst) {\n if (getTracker(inst)) {\n return;\n }\n\n var node = ReactDOMComponentTree.getNodeFromInstance(inst);\n var valueField = isCheckable(node) ? 'checked' : 'value';\n var descriptor = Object.getOwnPropertyDescriptor(node.constructor.prototype, valueField);\n\n var currentValue = '' + node[valueField];\n\n // if someone has already defined a value or Safari, then bail\n // and don't track value will cause over reporting of changes,\n // but it's better then a hard failure\n // (needed for certain tests that spyOn input values and Safari)\n if (node.hasOwnProperty(valueField) || typeof descriptor.get !== 'function' || typeof descriptor.set !== 'function') {\n return;\n }\n\n Object.defineProperty(node, valueField, {\n enumerable: descriptor.enumerable,\n configurable: true,\n get: function () {\n return descriptor.get.call(this);\n },\n set: function (value) {\n currentValue = '' + value;\n descriptor.set.call(this, value);\n }\n });\n\n attachTracker(inst, {\n getValue: function () {\n return currentValue;\n },\n setValue: function (value) {\n currentValue = '' + value;\n },\n stopTracking: function () {\n detachTracker(inst);\n delete node[valueField];\n }\n });\n },\n\n updateValueIfChanged: function (inst) {\n if (!inst) {\n return false;\n }\n var tracker = getTracker(inst);\n\n if (!tracker) {\n inputValueTracking.track(inst);\n return true;\n }\n\n var lastValue = tracker.getValue();\n var nextValue = getValueFromNode(ReactDOMComponentTree.getNodeFromInstance(inst));\n\n if (nextValue !== lastValue) {\n tracker.setValue(nextValue);\n return true;\n }\n\n return false;\n },\n stopTracking: function (inst) {\n var tracker = getTracker(inst);\n if (tracker) {\n tracker.stopTracking();\n }\n }\n};\n\nmodule.exports = inputValueTracking;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/inputValueTracking.js\n// module id = 400\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/inputValueTracking.js?"); + +/***/ }), +/* 401 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\n/**\n * Gets the target node from a native browser event by accounting for\n * inconsistencies in browser DOM APIs.\n *\n * @param {object} nativeEvent Native browser event.\n * @return {DOMEventTarget} Target node.\n */\n\nfunction getEventTarget(nativeEvent) {\n var target = nativeEvent.target || nativeEvent.srcElement || window;\n\n // Normalize SVG element events #4963\n if (target.correspondingUseElement) {\n target = target.correspondingUseElement;\n }\n\n // Safari may fire events on text nodes (Node.TEXT_NODE is 3).\n // @see http://www.quirksmode.org/js/events_properties.html\n return target.nodeType === 3 ? target.parentNode : target;\n}\n\nmodule.exports = getEventTarget;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/getEventTarget.js\n// module id = 401\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/getEventTarget.js?"); + +/***/ }), +/* 402 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ExecutionEnvironment = __webpack_require__(379);\n\nvar useHasFeature;\nif (ExecutionEnvironment.canUseDOM) {\n useHasFeature = document.implementation && document.implementation.hasFeature &&\n // always returns true in newer browsers as per the standard.\n // @see http://dom.spec.whatwg.org/#dom-domimplementation-hasfeature\n document.implementation.hasFeature('', '') !== true;\n}\n\n/**\n * Checks if an event is supported in the current execution environment.\n *\n * NOTE: This will not work correctly for non-generic events such as `change`,\n * `reset`, `load`, `error`, and `select`.\n *\n * Borrows from Modernizr.\n *\n * @param {string} eventNameSuffix Event name, e.g. \"click\".\n * @param {?boolean} capture Check if the capture phase is supported.\n * @return {boolean} True if the event is supported.\n * @internal\n * @license Modernizr 3.0.0pre (Custom Build) | MIT\n */\nfunction isEventSupported(eventNameSuffix, capture) {\n if (!ExecutionEnvironment.canUseDOM || capture && !('addEventListener' in document)) {\n return false;\n }\n\n var eventName = 'on' + eventNameSuffix;\n var isSupported = eventName in document;\n\n if (!isSupported) {\n var element = document.createElement('div');\n element.setAttribute(eventName, 'return;');\n isSupported = typeof element[eventName] === 'function';\n }\n\n if (!isSupported && useHasFeature && eventNameSuffix === 'wheel') {\n // This is the only way to test support for the `wheel` event in IE9+.\n isSupported = document.implementation.hasFeature('Events.wheel', '3.0');\n }\n\n return isSupported;\n}\n\nmodule.exports = isEventSupported;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/isEventSupported.js\n// module id = 402\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/isEventSupported.js?"); + +/***/ }), +/* 403 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * \n */\n\n'use strict';\n\n/**\n * @see http://www.whatwg.org/specs/web-apps/current-work/multipage/the-input-element.html#input-type-attr-summary\n */\n\nvar supportedInputTypes = {\n color: true,\n date: true,\n datetime: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n password: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true\n};\n\nfunction isTextInputElement(elem) {\n var nodeName = elem && elem.nodeName && elem.nodeName.toLowerCase();\n\n if (nodeName === 'input') {\n return !!supportedInputTypes[elem.type];\n }\n\n if (nodeName === 'textarea') {\n return true;\n }\n\n return false;\n}\n\nmodule.exports = isTextInputElement;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/isTextInputElement.js\n// module id = 403\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/isTextInputElement.js?"); + +/***/ }), +/* 404 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\n/**\n * Module that is injectable into `EventPluginHub`, that specifies a\n * deterministic ordering of `EventPlugin`s. A convenient way to reason about\n * plugins, without having to package every one of them. This is better than\n * having plugins be ordered in the same order that they are injected because\n * that ordering would be influenced by the packaging order.\n * `ResponderEventPlugin` must occur before `SimpleEventPlugin` so that\n * preventing default on events is convenient in `SimpleEventPlugin` handlers.\n */\n\nvar DefaultEventPluginOrder = ['ResponderEventPlugin', 'SimpleEventPlugin', 'TapEventPlugin', 'EnterLeaveEventPlugin', 'ChangeEventPlugin', 'SelectEventPlugin', 'BeforeInputEventPlugin'];\n\nmodule.exports = DefaultEventPluginOrder;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/DefaultEventPluginOrder.js\n// module id = 404\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/DefaultEventPluginOrder.js?"); + +/***/ }), +/* 405 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar EventPropagators = __webpack_require__(372);\nvar ReactDOMComponentTree = __webpack_require__(365);\nvar SyntheticMouseEvent = __webpack_require__(406);\n\nvar eventTypes = {\n mouseEnter: {\n registrationName: 'onMouseEnter',\n dependencies: ['topMouseOut', 'topMouseOver']\n },\n mouseLeave: {\n registrationName: 'onMouseLeave',\n dependencies: ['topMouseOut', 'topMouseOver']\n }\n};\n\nvar EnterLeaveEventPlugin = {\n eventTypes: eventTypes,\n\n /**\n * For almost every interaction we care about, there will be both a top-level\n * `mouseover` and `mouseout` event that occurs. Only use `mouseout` so that\n * we do not extract duplicate events. However, moving the mouse into the\n * browser from outside will not fire a `mouseout` event. In this case, we use\n * the `mouseover` top-level event.\n */\n extractEvents: function (topLevelType, targetInst, nativeEvent, nativeEventTarget) {\n if (topLevelType === 'topMouseOver' && (nativeEvent.relatedTarget || nativeEvent.fromElement)) {\n return null;\n }\n if (topLevelType !== 'topMouseOut' && topLevelType !== 'topMouseOver') {\n // Must not be a mouse in or mouse out - ignoring.\n return null;\n }\n\n var win;\n if (nativeEventTarget.window === nativeEventTarget) {\n // `nativeEventTarget` is probably a window object.\n win = nativeEventTarget;\n } else {\n // TODO: Figure out why `ownerDocument` is sometimes undefined in IE8.\n var doc = nativeEventTarget.ownerDocument;\n if (doc) {\n win = doc.defaultView || doc.parentWindow;\n } else {\n win = window;\n }\n }\n\n var from;\n var to;\n if (topLevelType === 'topMouseOut') {\n from = targetInst;\n var related = nativeEvent.relatedTarget || nativeEvent.toElement;\n to = related ? ReactDOMComponentTree.getClosestInstanceFromNode(related) : null;\n } else {\n // Moving to a node from outside the window.\n from = null;\n to = targetInst;\n }\n\n if (from === to) {\n // Nothing pertains to our managed components.\n return null;\n }\n\n var fromNode = from == null ? win : ReactDOMComponentTree.getNodeFromInstance(from);\n var toNode = to == null ? win : ReactDOMComponentTree.getNodeFromInstance(to);\n\n var leave = SyntheticMouseEvent.getPooled(eventTypes.mouseLeave, from, nativeEvent, nativeEventTarget);\n leave.type = 'mouseleave';\n leave.target = fromNode;\n leave.relatedTarget = toNode;\n\n var enter = SyntheticMouseEvent.getPooled(eventTypes.mouseEnter, to, nativeEvent, nativeEventTarget);\n enter.type = 'mouseenter';\n enter.target = toNode;\n enter.relatedTarget = fromNode;\n\n EventPropagators.accumulateEnterLeaveDispatches(leave, enter, from, to);\n\n return [leave, enter];\n }\n};\n\nmodule.exports = EnterLeaveEventPlugin;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/EnterLeaveEventPlugin.js\n// module id = 405\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/EnterLeaveEventPlugin.js?"); + +/***/ }), +/* 406 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar SyntheticUIEvent = __webpack_require__(407);\nvar ViewportMetrics = __webpack_require__(408);\n\nvar getEventModifierState = __webpack_require__(409);\n\n/**\n * @interface MouseEvent\n * @see http://www.w3.org/TR/DOM-Level-3-Events/\n */\nvar MouseEventInterface = {\n screenX: null,\n screenY: null,\n clientX: null,\n clientY: null,\n ctrlKey: null,\n shiftKey: null,\n altKey: null,\n metaKey: null,\n getModifierState: getEventModifierState,\n button: function (event) {\n // Webkit, Firefox, IE9+\n // which: 1 2 3\n // button: 0 1 2 (standard)\n var button = event.button;\n if ('which' in event) {\n return button;\n }\n // IE<9\n // which: undefined\n // button: 0 0 0\n // button: 1 4 2 (onmouseup)\n return button === 2 ? 2 : button === 4 ? 1 : 0;\n },\n buttons: null,\n relatedTarget: function (event) {\n return event.relatedTarget || (event.fromElement === event.srcElement ? event.toElement : event.fromElement);\n },\n // \"Proprietary\" Interface.\n pageX: function (event) {\n return 'pageX' in event ? event.pageX : event.clientX + ViewportMetrics.currentScrollLeft;\n },\n pageY: function (event) {\n return 'pageY' in event ? event.pageY : event.clientY + ViewportMetrics.currentScrollTop;\n }\n};\n\n/**\n * @param {object} dispatchConfig Configuration used to dispatch this event.\n * @param {string} dispatchMarker Marker identifying the event target.\n * @param {object} nativeEvent Native browser event.\n * @extends {SyntheticUIEvent}\n */\nfunction SyntheticMouseEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {\n return SyntheticUIEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);\n}\n\nSyntheticUIEvent.augmentClass(SyntheticMouseEvent, MouseEventInterface);\n\nmodule.exports = SyntheticMouseEvent;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/SyntheticMouseEvent.js\n// module id = 406\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/SyntheticMouseEvent.js?"); + +/***/ }), +/* 407 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar SyntheticEvent = __webpack_require__(384);\n\nvar getEventTarget = __webpack_require__(401);\n\n/**\n * @interface UIEvent\n * @see http://www.w3.org/TR/DOM-Level-3-Events/\n */\nvar UIEventInterface = {\n view: function (event) {\n if (event.view) {\n return event.view;\n }\n\n var target = getEventTarget(event);\n if (target.window === target) {\n // target is a window object\n return target;\n }\n\n var doc = target.ownerDocument;\n // TODO: Figure out why `ownerDocument` is sometimes undefined in IE8.\n if (doc) {\n return doc.defaultView || doc.parentWindow;\n } else {\n return window;\n }\n },\n detail: function (event) {\n return event.detail || 0;\n }\n};\n\n/**\n * @param {object} dispatchConfig Configuration used to dispatch this event.\n * @param {string} dispatchMarker Marker identifying the event target.\n * @param {object} nativeEvent Native browser event.\n * @extends {SyntheticEvent}\n */\nfunction SyntheticUIEvent(dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget) {\n return SyntheticEvent.call(this, dispatchConfig, dispatchMarker, nativeEvent, nativeEventTarget);\n}\n\nSyntheticEvent.augmentClass(SyntheticUIEvent, UIEventInterface);\n\nmodule.exports = SyntheticUIEvent;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/SyntheticUIEvent.js\n// module id = 407\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/SyntheticUIEvent.js?"); + +/***/ }), +/* 408 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ViewportMetrics = {\n currentScrollLeft: 0,\n\n currentScrollTop: 0,\n\n refreshScrollValues: function (scrollPosition) {\n ViewportMetrics.currentScrollLeft = scrollPosition.x;\n ViewportMetrics.currentScrollTop = scrollPosition.y;\n }\n};\n\nmodule.exports = ViewportMetrics;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ViewportMetrics.js\n// module id = 408\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ViewportMetrics.js?"); + +/***/ }), +/* 409 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\n/**\n * Translation from modifier key to the associated property in the event.\n * @see http://www.w3.org/TR/DOM-Level-3-Events/#keys-Modifiers\n */\n\nvar modifierKeyToProp = {\n Alt: 'altKey',\n Control: 'ctrlKey',\n Meta: 'metaKey',\n Shift: 'shiftKey'\n};\n\n// IE8 does not implement getModifierState so we simply map it to the only\n// modifier keys exposed by the event itself, does not support Lock-keys.\n// Currently, all major browsers except Chrome seems to support Lock-keys.\nfunction modifierStateGetter(keyArg) {\n var syntheticEvent = this;\n var nativeEvent = syntheticEvent.nativeEvent;\n if (nativeEvent.getModifierState) {\n return nativeEvent.getModifierState(keyArg);\n }\n var keyProp = modifierKeyToProp[keyArg];\n return keyProp ? !!nativeEvent[keyProp] : false;\n}\n\nfunction getEventModifierState(nativeEvent) {\n return modifierStateGetter;\n}\n\nmodule.exports = getEventModifierState;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/getEventModifierState.js\n// module id = 409\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/getEventModifierState.js?"); + +/***/ }), +/* 410 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar DOMProperty = __webpack_require__(367);\n\nvar MUST_USE_PROPERTY = DOMProperty.injection.MUST_USE_PROPERTY;\nvar HAS_BOOLEAN_VALUE = DOMProperty.injection.HAS_BOOLEAN_VALUE;\nvar HAS_NUMERIC_VALUE = DOMProperty.injection.HAS_NUMERIC_VALUE;\nvar HAS_POSITIVE_NUMERIC_VALUE = DOMProperty.injection.HAS_POSITIVE_NUMERIC_VALUE;\nvar HAS_OVERLOADED_BOOLEAN_VALUE = DOMProperty.injection.HAS_OVERLOADED_BOOLEAN_VALUE;\n\nvar HTMLDOMPropertyConfig = {\n isCustomAttribute: RegExp.prototype.test.bind(new RegExp('^(data|aria)-[' + DOMProperty.ATTRIBUTE_NAME_CHAR + ']*$')),\n Properties: {\n /**\n * Standard Properties\n */\n accept: 0,\n acceptCharset: 0,\n accessKey: 0,\n action: 0,\n allowFullScreen: HAS_BOOLEAN_VALUE,\n allowTransparency: 0,\n alt: 0,\n // specifies target context for links with `preload` type\n as: 0,\n async: HAS_BOOLEAN_VALUE,\n autoComplete: 0,\n // autoFocus is polyfilled/normalized by AutoFocusUtils\n // autoFocus: HAS_BOOLEAN_VALUE,\n autoPlay: HAS_BOOLEAN_VALUE,\n capture: HAS_BOOLEAN_VALUE,\n cellPadding: 0,\n cellSpacing: 0,\n charSet: 0,\n challenge: 0,\n checked: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,\n cite: 0,\n classID: 0,\n className: 0,\n cols: HAS_POSITIVE_NUMERIC_VALUE,\n colSpan: 0,\n content: 0,\n contentEditable: 0,\n contextMenu: 0,\n controls: HAS_BOOLEAN_VALUE,\n controlsList: 0,\n coords: 0,\n crossOrigin: 0,\n data: 0, // For `` acts as `src`.\n dateTime: 0,\n 'default': HAS_BOOLEAN_VALUE,\n defer: HAS_BOOLEAN_VALUE,\n dir: 0,\n disabled: HAS_BOOLEAN_VALUE,\n download: HAS_OVERLOADED_BOOLEAN_VALUE,\n draggable: 0,\n encType: 0,\n form: 0,\n formAction: 0,\n formEncType: 0,\n formMethod: 0,\n formNoValidate: HAS_BOOLEAN_VALUE,\n formTarget: 0,\n frameBorder: 0,\n headers: 0,\n height: 0,\n hidden: HAS_BOOLEAN_VALUE,\n high: 0,\n href: 0,\n hrefLang: 0,\n htmlFor: 0,\n httpEquiv: 0,\n icon: 0,\n id: 0,\n inputMode: 0,\n integrity: 0,\n is: 0,\n keyParams: 0,\n keyType: 0,\n kind: 0,\n label: 0,\n lang: 0,\n list: 0,\n loop: HAS_BOOLEAN_VALUE,\n low: 0,\n manifest: 0,\n marginHeight: 0,\n marginWidth: 0,\n max: 0,\n maxLength: 0,\n media: 0,\n mediaGroup: 0,\n method: 0,\n min: 0,\n minLength: 0,\n // Caution; `option.selected` is not updated if `select.multiple` is\n // disabled with `removeAttribute`.\n multiple: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,\n muted: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,\n name: 0,\n nonce: 0,\n noValidate: HAS_BOOLEAN_VALUE,\n open: HAS_BOOLEAN_VALUE,\n optimum: 0,\n pattern: 0,\n placeholder: 0,\n playsInline: HAS_BOOLEAN_VALUE,\n poster: 0,\n preload: 0,\n profile: 0,\n radioGroup: 0,\n readOnly: HAS_BOOLEAN_VALUE,\n referrerPolicy: 0,\n rel: 0,\n required: HAS_BOOLEAN_VALUE,\n reversed: HAS_BOOLEAN_VALUE,\n role: 0,\n rows: HAS_POSITIVE_NUMERIC_VALUE,\n rowSpan: HAS_NUMERIC_VALUE,\n sandbox: 0,\n scope: 0,\n scoped: HAS_BOOLEAN_VALUE,\n scrolling: 0,\n seamless: HAS_BOOLEAN_VALUE,\n selected: MUST_USE_PROPERTY | HAS_BOOLEAN_VALUE,\n shape: 0,\n size: HAS_POSITIVE_NUMERIC_VALUE,\n sizes: 0,\n span: HAS_POSITIVE_NUMERIC_VALUE,\n spellCheck: 0,\n src: 0,\n srcDoc: 0,\n srcLang: 0,\n srcSet: 0,\n start: HAS_NUMERIC_VALUE,\n step: 0,\n style: 0,\n summary: 0,\n tabIndex: 0,\n target: 0,\n title: 0,\n // Setting .type throws on non- tags\n type: 0,\n useMap: 0,\n value: 0,\n width: 0,\n wmode: 0,\n wrap: 0,\n\n /**\n * RDFa Properties\n */\n about: 0,\n datatype: 0,\n inlist: 0,\n prefix: 0,\n // property is also supported for OpenGraph in meta tags.\n property: 0,\n resource: 0,\n 'typeof': 0,\n vocab: 0,\n\n /**\n * Non-standard Properties\n */\n // autoCapitalize and autoCorrect are supported in Mobile Safari for\n // keyboard hints.\n autoCapitalize: 0,\n autoCorrect: 0,\n // autoSave allows WebKit/Blink to persist values of input fields on page reloads\n autoSave: 0,\n // color is for Safari mask-icon link\n color: 0,\n // itemProp, itemScope, itemType are for\n // Microdata support. See http://schema.org/docs/gs.html\n itemProp: 0,\n itemScope: HAS_BOOLEAN_VALUE,\n itemType: 0,\n // itemID and itemRef are for Microdata support as well but\n // only specified in the WHATWG spec document. See\n // https://html.spec.whatwg.org/multipage/microdata.html#microdata-dom-api\n itemID: 0,\n itemRef: 0,\n // results show looking glass icon and recent searches on input\n // search fields in WebKit/Blink\n results: 0,\n // IE-only attribute that specifies security restrictions on an iframe\n // as an alternative to the sandbox attribute on IE<10\n security: 0,\n // IE-only attribute that controls focus behavior\n unselectable: 0\n },\n DOMAttributeNames: {\n acceptCharset: 'accept-charset',\n className: 'class',\n htmlFor: 'for',\n httpEquiv: 'http-equiv'\n },\n DOMPropertyNames: {},\n DOMMutationMethods: {\n value: function (node, value) {\n if (value == null) {\n return node.removeAttribute('value');\n }\n\n // Number inputs get special treatment due to some edge cases in\n // Chrome. Let everything else assign the value attribute as normal.\n // https://github.com/facebook/react/issues/7253#issuecomment-236074326\n if (node.type !== 'number' || node.hasAttribute('value') === false) {\n node.setAttribute('value', '' + value);\n } else if (node.validity && !node.validity.badInput && node.ownerDocument.activeElement !== node) {\n // Don't assign an attribute if validation reports bad\n // input. Chrome will clear the value. Additionally, don't\n // operate on inputs that have focus, otherwise Chrome might\n // strip off trailing decimal places and cause the user's\n // cursor position to jump to the beginning of the input.\n //\n // In ReactDOMInput, we have an onBlur event that will trigger\n // this function again when focus is lost.\n node.setAttribute('value', '' + value);\n }\n }\n }\n};\n\nmodule.exports = HTMLDOMPropertyConfig;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/HTMLDOMPropertyConfig.js\n// module id = 410\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/HTMLDOMPropertyConfig.js?"); + +/***/ }), +/* 411 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar DOMChildrenOperations = __webpack_require__(412);\nvar ReactDOMIDOperations = __webpack_require__(423);\n\n/**\n * Abstracts away all functionality of the reconciler that requires knowledge of\n * the browser context. TODO: These callers should be refactored to avoid the\n * need for this injection.\n */\nvar ReactComponentBrowserEnvironment = {\n processChildrenUpdates: ReactDOMIDOperations.dangerouslyProcessChildrenUpdates,\n\n replaceNodeWithMarkup: DOMChildrenOperations.dangerouslyReplaceNodeWithMarkup\n};\n\nmodule.exports = ReactComponentBrowserEnvironment;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/ReactComponentBrowserEnvironment.js\n// module id = 411\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/ReactComponentBrowserEnvironment.js?"); + +/***/ }), +/* 412 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar DOMLazyTree = __webpack_require__(413);\nvar Danger = __webpack_require__(419);\nvar ReactDOMComponentTree = __webpack_require__(365);\nvar ReactInstrumentation = __webpack_require__(393);\n\nvar createMicrosoftUnsafeLocalFunction = __webpack_require__(416);\nvar setInnerHTML = __webpack_require__(415);\nvar setTextContent = __webpack_require__(417);\n\nfunction getNodeAfter(parentNode, node) {\n // Special case for text components, which return [open, close] comments\n // from getHostNode.\n if (Array.isArray(node)) {\n node = node[1];\n }\n return node ? node.nextSibling : parentNode.firstChild;\n}\n\n/**\n * Inserts `childNode` as a child of `parentNode` at the `index`.\n *\n * @param {DOMElement} parentNode Parent node in which to insert.\n * @param {DOMElement} childNode Child node to insert.\n * @param {number} index Index at which to insert the child.\n * @internal\n */\nvar insertChildAt = createMicrosoftUnsafeLocalFunction(function (parentNode, childNode, referenceNode) {\n // We rely exclusively on `insertBefore(node, null)` instead of also using\n // `appendChild(node)`. (Using `undefined` is not allowed by all browsers so\n // we are careful to use `null`.)\n parentNode.insertBefore(childNode, referenceNode);\n});\n\nfunction insertLazyTreeChildAt(parentNode, childTree, referenceNode) {\n DOMLazyTree.insertTreeBefore(parentNode, childTree, referenceNode);\n}\n\nfunction moveChild(parentNode, childNode, referenceNode) {\n if (Array.isArray(childNode)) {\n moveDelimitedText(parentNode, childNode[0], childNode[1], referenceNode);\n } else {\n insertChildAt(parentNode, childNode, referenceNode);\n }\n}\n\nfunction removeChild(parentNode, childNode) {\n if (Array.isArray(childNode)) {\n var closingComment = childNode[1];\n childNode = childNode[0];\n removeDelimitedText(parentNode, childNode, closingComment);\n parentNode.removeChild(closingComment);\n }\n parentNode.removeChild(childNode);\n}\n\nfunction moveDelimitedText(parentNode, openingComment, closingComment, referenceNode) {\n var node = openingComment;\n while (true) {\n var nextNode = node.nextSibling;\n insertChildAt(parentNode, node, referenceNode);\n if (node === closingComment) {\n break;\n }\n node = nextNode;\n }\n}\n\nfunction removeDelimitedText(parentNode, startNode, closingComment) {\n while (true) {\n var node = startNode.nextSibling;\n if (node === closingComment) {\n // The closing comment is removed by ReactMultiChild.\n break;\n } else {\n parentNode.removeChild(node);\n }\n }\n}\n\nfunction replaceDelimitedText(openingComment, closingComment, stringText) {\n var parentNode = openingComment.parentNode;\n var nodeAfterComment = openingComment.nextSibling;\n if (nodeAfterComment === closingComment) {\n // There are no text nodes between the opening and closing comments; insert\n // a new one if stringText isn't empty.\n if (stringText) {\n insertChildAt(parentNode, document.createTextNode(stringText), nodeAfterComment);\n }\n } else {\n if (stringText) {\n // Set the text content of the first node after the opening comment, and\n // remove all following nodes up until the closing comment.\n setTextContent(nodeAfterComment, stringText);\n removeDelimitedText(parentNode, nodeAfterComment, closingComment);\n } else {\n removeDelimitedText(parentNode, openingComment, closingComment);\n }\n }\n\n if (process.env.NODE_ENV !== 'production') {\n ReactInstrumentation.debugTool.onHostOperation({\n instanceID: ReactDOMComponentTree.getInstanceFromNode(openingComment)._debugID,\n type: 'replace text',\n payload: stringText\n });\n }\n}\n\nvar dangerouslyReplaceNodeWithMarkup = Danger.dangerouslyReplaceNodeWithMarkup;\nif (process.env.NODE_ENV !== 'production') {\n dangerouslyReplaceNodeWithMarkup = function (oldChild, markup, prevInstance) {\n Danger.dangerouslyReplaceNodeWithMarkup(oldChild, markup);\n if (prevInstance._debugID !== 0) {\n ReactInstrumentation.debugTool.onHostOperation({\n instanceID: prevInstance._debugID,\n type: 'replace with',\n payload: markup.toString()\n });\n } else {\n var nextInstance = ReactDOMComponentTree.getInstanceFromNode(markup.node);\n if (nextInstance._debugID !== 0) {\n ReactInstrumentation.debugTool.onHostOperation({\n instanceID: nextInstance._debugID,\n type: 'mount',\n payload: markup.toString()\n });\n }\n }\n };\n}\n\n/**\n * Operations for updating with DOM children.\n */\nvar DOMChildrenOperations = {\n dangerouslyReplaceNodeWithMarkup: dangerouslyReplaceNodeWithMarkup,\n\n replaceDelimitedText: replaceDelimitedText,\n\n /**\n * Updates a component's children by processing a series of updates. The\n * update configurations are each expected to have a `parentNode` property.\n *\n * @param {array} updates List of update configurations.\n * @internal\n */\n processUpdates: function (parentNode, updates) {\n if (process.env.NODE_ENV !== 'production') {\n var parentNodeDebugID = ReactDOMComponentTree.getInstanceFromNode(parentNode)._debugID;\n }\n\n for (var k = 0; k < updates.length; k++) {\n var update = updates[k];\n switch (update.type) {\n case 'INSERT_MARKUP':\n insertLazyTreeChildAt(parentNode, update.content, getNodeAfter(parentNode, update.afterNode));\n if (process.env.NODE_ENV !== 'production') {\n ReactInstrumentation.debugTool.onHostOperation({\n instanceID: parentNodeDebugID,\n type: 'insert child',\n payload: {\n toIndex: update.toIndex,\n content: update.content.toString()\n }\n });\n }\n break;\n case 'MOVE_EXISTING':\n moveChild(parentNode, update.fromNode, getNodeAfter(parentNode, update.afterNode));\n if (process.env.NODE_ENV !== 'production') {\n ReactInstrumentation.debugTool.onHostOperation({\n instanceID: parentNodeDebugID,\n type: 'move child',\n payload: { fromIndex: update.fromIndex, toIndex: update.toIndex }\n });\n }\n break;\n case 'SET_MARKUP':\n setInnerHTML(parentNode, update.content);\n if (process.env.NODE_ENV !== 'production') {\n ReactInstrumentation.debugTool.onHostOperation({\n instanceID: parentNodeDebugID,\n type: 'replace children',\n payload: update.content.toString()\n });\n }\n break;\n case 'TEXT_CONTENT':\n setTextContent(parentNode, update.content);\n if (process.env.NODE_ENV !== 'production') {\n ReactInstrumentation.debugTool.onHostOperation({\n instanceID: parentNodeDebugID,\n type: 'replace text',\n payload: update.content.toString()\n });\n }\n break;\n case 'REMOVE_NODE':\n removeChild(parentNode, update.fromNode);\n if (process.env.NODE_ENV !== 'production') {\n ReactInstrumentation.debugTool.onHostOperation({\n instanceID: parentNodeDebugID,\n type: 'remove child',\n payload: { fromIndex: update.fromIndex }\n });\n }\n break;\n }\n }\n }\n};\n\nmodule.exports = DOMChildrenOperations;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/DOMChildrenOperations.js\n// module id = 412\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/DOMChildrenOperations.js?"); + +/***/ }), +/* 413 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2015-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar DOMNamespaces = __webpack_require__(414);\nvar setInnerHTML = __webpack_require__(415);\n\nvar createMicrosoftUnsafeLocalFunction = __webpack_require__(416);\nvar setTextContent = __webpack_require__(417);\n\nvar ELEMENT_NODE_TYPE = 1;\nvar DOCUMENT_FRAGMENT_NODE_TYPE = 11;\n\n/**\n * In IE (8-11) and Edge, appending nodes with no children is dramatically\n * faster than appending a full subtree, so we essentially queue up the\n * .appendChild calls here and apply them so each node is added to its parent\n * before any children are added.\n *\n * In other browsers, doing so is slower or neutral compared to the other order\n * (in Firefox, twice as slow) so we only do this inversion in IE.\n *\n * See https://github.com/spicyj/innerhtml-vs-createelement-vs-clonenode.\n */\nvar enableLazy = typeof document !== 'undefined' && typeof document.documentMode === 'number' || typeof navigator !== 'undefined' && typeof navigator.userAgent === 'string' && /\\bEdge\\/\\d/.test(navigator.userAgent);\n\nfunction insertTreeChildren(tree) {\n if (!enableLazy) {\n return;\n }\n var node = tree.node;\n var children = tree.children;\n if (children.length) {\n for (var i = 0; i < children.length; i++) {\n insertTreeBefore(node, children[i], null);\n }\n } else if (tree.html != null) {\n setInnerHTML(node, tree.html);\n } else if (tree.text != null) {\n setTextContent(node, tree.text);\n }\n}\n\nvar insertTreeBefore = createMicrosoftUnsafeLocalFunction(function (parentNode, tree, referenceNode) {\n // DocumentFragments aren't actually part of the DOM after insertion so\n // appending children won't update the DOM. We need to ensure the fragment\n // is properly populated first, breaking out of our lazy approach for just\n // this level. Also, some plugins (like Flash Player) will read\n // nodes immediately upon insertion into the DOM, so \n // must also be populated prior to insertion into the DOM.\n if (tree.node.nodeType === DOCUMENT_FRAGMENT_NODE_TYPE || tree.node.nodeType === ELEMENT_NODE_TYPE && tree.node.nodeName.toLowerCase() === 'object' && (tree.node.namespaceURI == null || tree.node.namespaceURI === DOMNamespaces.html)) {\n insertTreeChildren(tree);\n parentNode.insertBefore(tree.node, referenceNode);\n } else {\n parentNode.insertBefore(tree.node, referenceNode);\n insertTreeChildren(tree);\n }\n});\n\nfunction replaceChildWithTree(oldNode, newTree) {\n oldNode.parentNode.replaceChild(newTree.node, oldNode);\n insertTreeChildren(newTree);\n}\n\nfunction queueChild(parentTree, childTree) {\n if (enableLazy) {\n parentTree.children.push(childTree);\n } else {\n parentTree.node.appendChild(childTree.node);\n }\n}\n\nfunction queueHTML(tree, html) {\n if (enableLazy) {\n tree.html = html;\n } else {\n setInnerHTML(tree.node, html);\n }\n}\n\nfunction queueText(tree, text) {\n if (enableLazy) {\n tree.text = text;\n } else {\n setTextContent(tree.node, text);\n }\n}\n\nfunction toString() {\n return this.node.nodeName;\n}\n\nfunction DOMLazyTree(node) {\n return {\n node: node,\n children: [],\n html: null,\n text: null,\n toString: toString\n };\n}\n\nDOMLazyTree.insertTreeBefore = insertTreeBefore;\nDOMLazyTree.replaceChildWithTree = replaceChildWithTree;\nDOMLazyTree.queueChild = queueChild;\nDOMLazyTree.queueHTML = queueHTML;\nDOMLazyTree.queueText = queueText;\n\nmodule.exports = DOMLazyTree;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/DOMLazyTree.js\n// module id = 413\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/DOMLazyTree.js?"); + +/***/ }), +/* 414 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar DOMNamespaces = {\n html: 'http://www.w3.org/1999/xhtml',\n mathml: 'http://www.w3.org/1998/Math/MathML',\n svg: 'http://www.w3.org/2000/svg'\n};\n\nmodule.exports = DOMNamespaces;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/DOMNamespaces.js\n// module id = 414\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/DOMNamespaces.js?"); + +/***/ }), +/* 415 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ExecutionEnvironment = __webpack_require__(379);\nvar DOMNamespaces = __webpack_require__(414);\n\nvar WHITESPACE_TEST = /^[ \\r\\n\\t\\f]/;\nvar NONVISIBLE_TEST = /<(!--|link|noscript|meta|script|style)[ \\r\\n\\t\\f\\/>]/;\n\nvar createMicrosoftUnsafeLocalFunction = __webpack_require__(416);\n\n// SVG temp container for IE lacking innerHTML\nvar reusableSVGContainer;\n\n/**\n * Set the innerHTML property of a node, ensuring that whitespace is preserved\n * even in IE8.\n *\n * @param {DOMElement} node\n * @param {string} html\n * @internal\n */\nvar setInnerHTML = createMicrosoftUnsafeLocalFunction(function (node, html) {\n // IE does not have innerHTML for SVG nodes, so instead we inject the\n // new markup in a temp node and then move the child nodes across into\n // the target node\n if (node.namespaceURI === DOMNamespaces.svg && !('innerHTML' in node)) {\n reusableSVGContainer = reusableSVGContainer || document.createElement('div');\n reusableSVGContainer.innerHTML = '' + html + '';\n var svgNode = reusableSVGContainer.firstChild;\n while (svgNode.firstChild) {\n node.appendChild(svgNode.firstChild);\n }\n } else {\n node.innerHTML = html;\n }\n});\n\nif (ExecutionEnvironment.canUseDOM) {\n // IE8: When updating a just created node with innerHTML only leading\n // whitespace is removed. When updating an existing node with innerHTML\n // whitespace in root TextNodes is also collapsed.\n // @see quirksmode.org/bugreports/archives/2004/11/innerhtml_and_t.html\n\n // Feature detection; only IE8 is known to behave improperly like this.\n var testElement = document.createElement('div');\n testElement.innerHTML = ' ';\n if (testElement.innerHTML === '') {\n setInnerHTML = function (node, html) {\n // Magic theory: IE8 supposedly differentiates between added and updated\n // nodes when processing innerHTML, innerHTML on updated nodes suffers\n // from worse whitespace behavior. Re-adding a node like this triggers\n // the initial and more favorable whitespace behavior.\n // TODO: What to do on a detached node?\n if (node.parentNode) {\n node.parentNode.replaceChild(node, node);\n }\n\n // We also implement a workaround for non-visible tags disappearing into\n // thin air on IE8, this only happens if there is no visible text\n // in-front of the non-visible tags. Piggyback on the whitespace fix\n // and simply check if any non-visible tags appear in the source.\n if (WHITESPACE_TEST.test(html) || html[0] === '<' && NONVISIBLE_TEST.test(html)) {\n // Recover leading whitespace by temporarily prepending any character.\n // \\uFEFF has the potential advantage of being zero-width/invisible.\n // UglifyJS drops U+FEFF chars when parsing, so use String.fromCharCode\n // in hopes that this is preserved even if \"\\uFEFF\" is transformed to\n // the actual Unicode character (by Babel, for example).\n // https://github.com/mishoo/UglifyJS2/blob/v2.4.20/lib/parse.js#L216\n node.innerHTML = String.fromCharCode(0xfeff) + html;\n\n // deleteData leaves an empty `TextNode` which offsets the index of all\n // children. Definitely want to avoid this.\n var textNode = node.firstChild;\n if (textNode.data.length === 1) {\n node.removeChild(textNode);\n } else {\n textNode.deleteData(0, 1);\n }\n } else {\n node.innerHTML = html;\n }\n };\n }\n testElement = null;\n}\n\nmodule.exports = setInnerHTML;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/setInnerHTML.js\n// module id = 415\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/setInnerHTML.js?"); + +/***/ }), +/* 416 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n/* globals MSApp */\n\n'use strict';\n\n/**\n * Create a function which has 'unsafe' privileges (required by windows8 apps)\n */\n\nvar createMicrosoftUnsafeLocalFunction = function (func) {\n if (typeof MSApp !== 'undefined' && MSApp.execUnsafeLocalFunction) {\n return function (arg0, arg1, arg2, arg3) {\n MSApp.execUnsafeLocalFunction(function () {\n return func(arg0, arg1, arg2, arg3);\n });\n };\n } else {\n return func;\n }\n};\n\nmodule.exports = createMicrosoftUnsafeLocalFunction;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/createMicrosoftUnsafeLocalFunction.js\n// module id = 416\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/createMicrosoftUnsafeLocalFunction.js?"); + +/***/ }), +/* 417 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar ExecutionEnvironment = __webpack_require__(379);\nvar escapeTextContentForBrowser = __webpack_require__(418);\nvar setInnerHTML = __webpack_require__(415);\n\n/**\n * Set the textContent property of a node, ensuring that whitespace is preserved\n * even in IE8. innerText is a poor substitute for textContent and, among many\n * issues, inserts
instead of the literal newline chars. innerHTML behaves\n * as it should.\n *\n * @param {DOMElement} node\n * @param {string} text\n * @internal\n */\nvar setTextContent = function (node, text) {\n if (text) {\n var firstChild = node.firstChild;\n\n if (firstChild && firstChild === node.lastChild && firstChild.nodeType === 3) {\n firstChild.nodeValue = text;\n return;\n }\n }\n node.textContent = text;\n};\n\nif (ExecutionEnvironment.canUseDOM) {\n if (!('textContent' in document.documentElement)) {\n setTextContent = function (node, text) {\n if (node.nodeType === 3) {\n node.nodeValue = text;\n return;\n }\n setInnerHTML(node, escapeTextContentForBrowser(text));\n };\n }\n}\n\nmodule.exports = setTextContent;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/setTextContent.js\n// module id = 417\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/setTextContent.js?"); + +/***/ }), +/* 418 */ +/***/ (function(module, exports) { + + eval("/**\n * Copyright (c) 2016-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * Based on the escape-html library, which is used under the MIT License below:\n *\n * Copyright (c) 2012-2013 TJ Holowaychuk\n * Copyright (c) 2015 Andreas Lubbe\n * Copyright (c) 2015 Tiancheng \"Timothy\" Gu\n *\n * Permission is hereby granted, free of charge, to any person obtaining\n * a copy of this software and associated documentation files (the\n * 'Software'), to deal in the Software without restriction, including\n * without limitation the rights to use, copy, modify, merge, publish,\n * distribute, sublicense, and/or sell copies of the Software, and to\n * permit persons to whom the Software is furnished to do so, subject to\n * the following conditions:\n *\n * The above copyright notice and this permission notice shall be\n * included in all copies or substantial portions of the Software.\n *\n * THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND,\n * EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n * MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.\n * IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY\n * CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,\n * TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE\n * SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.\n *\n */\n\n'use strict';\n\n// code copied and modified from escape-html\n/**\n * Module variables.\n * @private\n */\n\nvar matchHtmlRegExp = /[\"'&<>]/;\n\n/**\n * Escape special characters in the given string of html.\n *\n * @param {string} string The string to escape for inserting into HTML\n * @return {string}\n * @public\n */\n\nfunction escapeHtml(string) {\n var str = '' + string;\n var match = matchHtmlRegExp.exec(str);\n\n if (!match) {\n return str;\n }\n\n var escape;\n var html = '';\n var index = 0;\n var lastIndex = 0;\n\n for (index = match.index; index < str.length; index++) {\n switch (str.charCodeAt(index)) {\n case 34:\n // \"\n escape = '"';\n break;\n case 38:\n // &\n escape = '&';\n break;\n case 39:\n // '\n escape = '''; // modified from escape-html; used to be '''\n break;\n case 60:\n // <\n escape = '<';\n break;\n case 62:\n // >\n escape = '>';\n break;\n default:\n continue;\n }\n\n if (lastIndex !== index) {\n html += str.substring(lastIndex, index);\n }\n\n lastIndex = index + 1;\n html += escape;\n }\n\n return lastIndex !== index ? html + str.substring(lastIndex, index) : html;\n}\n// end code copied and modified from escape-html\n\n/**\n * Escapes text to prevent scripting attacks.\n *\n * @param {*} text Text value to escape.\n * @return {string} An escaped string.\n */\nfunction escapeTextContentForBrowser(text) {\n if (typeof text === 'boolean' || typeof text === 'number') {\n // this shortcircuit helps perf for types that we know will never have\n // special characters, especially given that this function is used often\n // for numeric dom ids.\n return '' + text;\n }\n return escapeHtml(text);\n}\n\nmodule.exports = escapeTextContentForBrowser;\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/escapeTextContentForBrowser.js\n// module id = 418\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/escapeTextContentForBrowser.js?"); + +/***/ }), +/* 419 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n */\n\n'use strict';\n\nvar _prodInvariant = __webpack_require__(366);\n\nvar DOMLazyTree = __webpack_require__(413);\nvar ExecutionEnvironment = __webpack_require__(379);\n\nvar createNodesFromMarkup = __webpack_require__(420);\nvar emptyFunction = __webpack_require__(335);\nvar invariant = __webpack_require__(338);\n\nvar Danger = {\n /**\n * Replaces a node with a string of markup at its current position within its\n * parent. The markup must render into a single root node.\n *\n * @param {DOMElement} oldChild Child node to replace.\n * @param {string} markup Markup to render in place of the child node.\n * @internal\n */\n dangerouslyReplaceNodeWithMarkup: function (oldChild, markup) {\n !ExecutionEnvironment.canUseDOM ? process.env.NODE_ENV !== 'production' ? invariant(false, 'dangerouslyReplaceNodeWithMarkup(...): Cannot render markup in a worker thread. Make sure `window` and `document` are available globally before requiring React when unit testing or use ReactDOMServer.renderToString() for server rendering.') : _prodInvariant('56') : void 0;\n !markup ? process.env.NODE_ENV !== 'production' ? invariant(false, 'dangerouslyReplaceNodeWithMarkup(...): Missing markup.') : _prodInvariant('57') : void 0;\n !(oldChild.nodeName !== 'HTML') ? process.env.NODE_ENV !== 'production' ? invariant(false, 'dangerouslyReplaceNodeWithMarkup(...): Cannot replace markup of the node. This is because browser quirks make this unreliable and/or slow. If you want to render to the root you must use server rendering. See ReactDOMServer.renderToString().') : _prodInvariant('58') : void 0;\n\n if (typeof markup === 'string') {\n var newChild = createNodesFromMarkup(markup, emptyFunction)[0];\n oldChild.parentNode.replaceChild(newChild, oldChild);\n } else {\n DOMLazyTree.replaceChildWithTree(oldChild, markup);\n }\n }\n};\n\nmodule.exports = Danger;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(329)))\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/react-dom/lib/Danger.js\n// module id = 419\n// module chunks = 0\n//# sourceURL=webpack:///./~/react-dom/lib/Danger.js?"); + +/***/ }), +/* 420 */ +/***/ (function(module, exports, __webpack_require__) { + + eval("/* WEBPACK VAR INJECTION */(function(process) {'use strict';\n\n/**\n * Copyright (c) 2013-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n *\n * @typechecks\n */\n\n/*eslint-disable fb-www/unsafe-html*/\n\nvar ExecutionEnvironment = __webpack_require__(379);\n\nvar createArrayFromMixed = __webpack_require__(421);\nvar getMarkupWrap = __webpack_require__(422);\nvar invariant = __webpack_require__(338);\n\n/**\n * Dummy container used to render all markup.\n */\nvar dummyNode = ExecutionEnvironment.canUseDOM ? document.createElement('div') : null;\n\n/**\n * Pattern used by `getNodeName`.\n */\nvar nodeNamePattern = /^\\s*<(\\w+)/;\n\n/**\n * Extracts the `nodeName` of the first element in a string of markup.\n *\n * @param {string} markup String of markup.\n * @return {?string} Node name of the supplied markup.\n */\nfunction getNodeName(markup) {\n var nodeNameMatch = markup.match(nodeNamePattern);\n return nodeNameMatch && nodeNameMatch[1].toLowerCase();\n}\n\n/**\n * Creates an array containing the nodes rendered from the supplied markup. The\n * optionally supplied `handleScript` function will be invoked once for each\n * + + diff --git a/component-object/src/main/ui/.babelrc b/component-object/src/main/ui/.babelrc new file mode 100644 index 000000000..47c9aceb7 --- /dev/null +++ b/component-object/src/main/ui/.babelrc @@ -0,0 +1,4 @@ +{ + "presets": ["es2015", "react"], + "plugins": ["transform-object-rest-spread"] +} diff --git a/component-object/src/main/ui/.eslintrc b/component-object/src/main/ui/.eslintrc new file mode 100644 index 000000000..f009996bb --- /dev/null +++ b/component-object/src/main/ui/.eslintrc @@ -0,0 +1,8 @@ +{ + "extends": "airbnb", + "parserOptions": { + "ecmaFeatures": { + "experimentalObjectRestSpread": true + }, + }, +} \ No newline at end of file diff --git a/component-object/src/main/ui/.gitignore b/component-object/src/main/ui/.gitignore new file mode 100644 index 000000000..2a8d9dd74 --- /dev/null +++ b/component-object/src/main/ui/.gitignore @@ -0,0 +1,5 @@ +.DS_Store +*.log +dist +node_modules + diff --git a/component-object/src/main/ui/devServer.js b/component-object/src/main/ui/devServer.js new file mode 100644 index 000000000..242952529 --- /dev/null +++ b/component-object/src/main/ui/devServer.js @@ -0,0 +1,32 @@ +import path from 'path'; +import webpack from 'webpack'; +import webpackDevMiddleware from 'webpack-dev-middleware'; +import config from './webpack.config.babel'; +import Express from 'express'; + +const app = new Express(); +const port = 3000; + +const compiler = webpack(config); +app.use(webpackDevMiddleware(compiler, { + noInfo: true, + publicPath: config.output.publicPath, +})); + +app.get('/', (req, res) => { + res.sendFile(path.join(__dirname, 'index.html')); +}); + +app.listen(port, error => { + /* eslint-disable no-console */ + if (error) { + console.error(error); + } else { + console.info( + '🌎 Listening on port %s. Open up http://localhost:%s/ in your browser.', + port, + port + ); + } + /* eslint-enable no-console */ +}); diff --git a/component-object/src/main/ui/index.html b/component-object/src/main/ui/index.html new file mode 100644 index 000000000..527ff97df --- /dev/null +++ b/component-object/src/main/ui/index.html @@ -0,0 +1,11 @@ + + + + Todos + + +
+
+ + + diff --git a/component-object/src/main/ui/package.json b/component-object/src/main/ui/package.json new file mode 100644 index 000000000..36337444f --- /dev/null +++ b/component-object/src/main/ui/package.json @@ -0,0 +1,38 @@ +{ + "name": "redux-todos-example", + "version": "0.0.0", + "description": "Redux Todos example", + "scripts": { + "start": "babel-node devServer.js", + "lint": "eslint src" + }, + "repository": { + "type": "git", + "url": "https://github.com/gaearon/todos.git" + }, + "license": "MIT", + "dependencies": { + "babel-polyfill": "^6.3.14", + "react": "^15.0.2", + "react-dom": "^15.0.2", + "react-redux": "^4.4.5", + "redux": "^3.5.2" + }, + "devDependencies": { + "babel-cli": "^6.7.7", + "babel-core": "^6.3.15", + "babel-loader": "^6.2.0", + "babel-plugin-transform-object-rest-spread": "^6.6.5", + "babel-preset-es2015": "^6.6.0", + "babel-preset-react": "^6.5.0", + "babel-register": "^6.3.13", + "eslint": "^2.9.0", + "eslint-config-airbnb": "^8.0.0", + "eslint-plugin-import": "^1.6.1", + "eslint-plugin-jsx-a11y": "^1.0.4", + "eslint-plugin-react": "^5.0.1", + "express": "^4.13.3", + "webpack": "^1.9.11", + "webpack-dev-middleware": "^1.2.0" + } +} diff --git a/component-object/src/main/ui/src/actions/index.js b/component-object/src/main/ui/src/actions/index.js new file mode 100644 index 000000000..81616d533 --- /dev/null +++ b/component-object/src/main/ui/src/actions/index.js @@ -0,0 +1,37 @@ +let nextTodoId = 0; +export const addTodo = (text) => { + return { + type: 'ADD_TODO', + id: (nextTodoId++).toString(), + text, + }; +}; + +export const setVisibilityFilter = (filter) => { + return { + type: 'SET_VISIBILITY_FILTER', + filter, + }; +}; + +export const toggleTodo = (id) => { + return { + type: 'TOGGLE_TODO', + id, + }; +}; + +export const addGroceryItem = (text) => { + return { + type: 'ADD_GROCERY_ITEM', + id: (nextTodoId++).toString(), + text, + }; +}; + +export const toggleGroceryItem = (id) => { + return { + type: 'TOGGLE_GROCERY_ITEM', + id, + }; +}; diff --git a/component-object/src/main/ui/src/components/AddGroceryItem.js b/component-object/src/main/ui/src/components/AddGroceryItem.js new file mode 100644 index 000000000..9de9cbd08 --- /dev/null +++ b/component-object/src/main/ui/src/components/AddGroceryItem.js @@ -0,0 +1,34 @@ +import React, { PropTypes } from 'react'; +import { connect } from 'react-redux'; +import { addGroceryItem } from '../actions'; + +const AddGroceryItem = ({ dispatch, className }) => { + let input; + + return ( +
+
{ + e.preventDefault(); + if (!input.value.trim()) { + return; + } + dispatch(addGroceryItem(input.value)); + input.value = ''; + }} + > + { input = node; }} /> + +
+
+ ); +}; + +AddGroceryItem.propTypes = { + dispatch: PropTypes.func.isRequired, + className: PropTypes.func.string, +}; + +export default connect()(AddGroceryItem); diff --git a/component-object/src/main/ui/src/components/AddTodo.js b/component-object/src/main/ui/src/components/AddTodo.js new file mode 100644 index 000000000..48e959825 --- /dev/null +++ b/component-object/src/main/ui/src/components/AddTodo.js @@ -0,0 +1,34 @@ +import React, { PropTypes } from 'react'; +import { connect } from 'react-redux'; +import { addTodo } from '../actions'; + +const AddTodo = ({ dispatch, className }) => { + let input; + + return ( +
+
{ + e.preventDefault(); + if (!input.value.trim()) { + return; + } + dispatch(addTodo(input.value)); + input.value = ''; + }} + > + { input = node; }} /> + +
+
+ ); +}; + +AddTodo.propTypes = { + dispatch: PropTypes.func.isRequired, + className: PropTypes.func.string, +}; + +export default connect()(AddTodo); diff --git a/component-object/src/main/ui/src/components/App.js b/component-object/src/main/ui/src/components/App.js new file mode 100644 index 000000000..853ee9f2e --- /dev/null +++ b/component-object/src/main/ui/src/components/App.js @@ -0,0 +1,18 @@ +import React from 'react'; +import Footer from './Footer'; +import AddTodo from './AddTodo'; +import VisibleTodoList from './VisibleTodoList'; +import AddGroceryItem from './AddGroceryItem'; +import VisibleGroceryList from './VisibleGroceryList'; + +const App = () => ( +
+ + + + +
+
+); + +export default App; diff --git a/component-object/src/main/ui/src/components/FilterLink.js b/component-object/src/main/ui/src/components/FilterLink.js new file mode 100644 index 000000000..65beb8224 --- /dev/null +++ b/component-object/src/main/ui/src/components/FilterLink.js @@ -0,0 +1,24 @@ +import { connect } from 'react-redux'; +import { setVisibilityFilter } from '../actions'; +import Link from './Link'; + +const mapStateToProps = (state, ownProps) => { + return { + active: ownProps.filter === state.visibilityFilter, + }; +}; + +const mapDispatchToProps = (dispatch, ownProps) => { + return { + onClick: () => { + dispatch(setVisibilityFilter(ownProps.filter)); + }, + }; +}; + +const FilterLink = connect( + mapStateToProps, + mapDispatchToProps +)(Link); + +export default FilterLink; diff --git a/component-object/src/main/ui/src/components/Footer.js b/component-object/src/main/ui/src/components/Footer.js new file mode 100644 index 000000000..7a57d424c --- /dev/null +++ b/component-object/src/main/ui/src/components/Footer.js @@ -0,0 +1,22 @@ +import React from 'react'; +import FilterLink from './FilterLink'; + +const Footer = () => ( +

+ Show: + {" "} + + All + + {", "} + + Active + + {", "} + + Completed + +

+); + +export default Footer; diff --git a/component-object/src/main/ui/src/components/Link.js b/component-object/src/main/ui/src/components/Link.js new file mode 100644 index 000000000..a0b925adb --- /dev/null +++ b/component-object/src/main/ui/src/components/Link.js @@ -0,0 +1,27 @@ +import React, { PropTypes } from 'react'; + +const Link = ({ active, children, onClick }) => { + if (active) { + return {children}; + } + + return ( + { + e.preventDefault(); + onClick(); + }} + > + {children} + + ); +}; + +Link.propTypes = { + active: PropTypes.bool.isRequired, + children: PropTypes.node.isRequired, + onClick: PropTypes.func.isRequired, +}; + +export default Link; diff --git a/component-object/src/main/ui/src/components/Todo.js b/component-object/src/main/ui/src/components/Todo.js new file mode 100644 index 000000000..3a6067187 --- /dev/null +++ b/component-object/src/main/ui/src/components/Todo.js @@ -0,0 +1,20 @@ +import React, { PropTypes } from 'react'; + +const Todo = ({ onClick, completed, text }) => ( +
  • + {text} +
  • +); + +Todo.propTypes = { + onClick: PropTypes.func.isRequired, + completed: PropTypes.bool.isRequired, + text: PropTypes.string.isRequired, +}; + +export default Todo; diff --git a/component-object/src/main/ui/src/components/TodoList.js b/component-object/src/main/ui/src/components/TodoList.js new file mode 100644 index 000000000..acd0705e1 --- /dev/null +++ b/component-object/src/main/ui/src/components/TodoList.js @@ -0,0 +1,26 @@ +import React, { PropTypes } from 'react'; +import Todo from './Todo'; + +const TodoList = ({ todos, onTodoClick, className }) => ( +
      + {todos.map(todo => + onTodoClick(todo.id)} + /> + )} +
    +); + +TodoList.propTypes = { + todos: PropTypes.arrayOf(PropTypes.shape({ + id: PropTypes.string.isRequired, + completed: PropTypes.bool.isRequired, + text: PropTypes.string.isRequired, + }).isRequired).isRequired, + onTodoClick: PropTypes.func.isRequired, + className: PropTypes.func.string, +}; + +export default TodoList; diff --git a/component-object/src/main/ui/src/components/VisibleGroceryList.js b/component-object/src/main/ui/src/components/VisibleGroceryList.js new file mode 100644 index 000000000..235fc4ebe --- /dev/null +++ b/component-object/src/main/ui/src/components/VisibleGroceryList.js @@ -0,0 +1,37 @@ +import { connect } from 'react-redux'; +import { toggleGroceryItem } from '../actions'; +import TodoList from './TodoList'; + +const getVisibleGroceryItems = (groceryList, filter) => { + switch (filter) { + case 'SHOW_ALL': + return groceryList; + case 'SHOW_COMPLETED': + return groceryList.filter(t => t.completed); + case 'SHOW_ACTIVE': + return groceryList.filter(t => !t.completed); + default: + throw new Error(`Unknown filter: ${filter}.`); + } +}; + +const mapStateToProps = (state) => { + return { + todos: getVisibleGroceryItems(state.groceryList, state.visibilityFilter), + }; +}; + +const mapDispatchToProps = (dispatch) => { + return { + onTodoClick: (id) => { + dispatch(toggleGroceryItem(id)); + }, + }; +}; + +const VisibleGroceryList = connect( + mapStateToProps, + mapDispatchToProps +)(TodoList); + +export default VisibleGroceryList; diff --git a/component-object/src/main/ui/src/components/VisibleTodoList.js b/component-object/src/main/ui/src/components/VisibleTodoList.js new file mode 100644 index 000000000..1147dda00 --- /dev/null +++ b/component-object/src/main/ui/src/components/VisibleTodoList.js @@ -0,0 +1,37 @@ +import { connect } from 'react-redux'; +import { toggleTodo } from '../actions'; +import TodoList from './TodoList'; + +const getVisibleTodos = (todos, filter) => { + switch (filter) { + case 'SHOW_ALL': + return todos; + case 'SHOW_COMPLETED': + return todos.filter(t => t.completed); + case 'SHOW_ACTIVE': + return todos.filter(t => !t.completed); + default: + throw new Error(`Unknown filter: ${filter}.`); + } +}; + +const mapStateToProps = (state) => { + return { + todos: getVisibleTodos(state.todos, state.visibilityFilter), + }; +}; + +const mapDispatchToProps = (dispatch) => { + return { + onTodoClick: (id) => { + dispatch(toggleTodo(id)); + }, + }; +}; + +const VisibleTodoList = connect( + mapStateToProps, + mapDispatchToProps +)(TodoList); + +export default VisibleTodoList; diff --git a/component-object/src/main/ui/src/index.js b/component-object/src/main/ui/src/index.js new file mode 100644 index 000000000..00cc1c8fa --- /dev/null +++ b/component-object/src/main/ui/src/index.js @@ -0,0 +1,16 @@ +import 'babel-polyfill'; +import React from 'react'; +import { render } from 'react-dom'; +import { Provider } from 'react-redux'; +import { createStore } from 'redux'; +import todoApp from './reducers'; +import App from './components/App'; + +const store = createStore(todoApp); + +render( + + + , + document.getElementById('root') +); diff --git a/component-object/src/main/ui/src/reducers/groceryList.js b/component-object/src/main/ui/src/reducers/groceryList.js new file mode 100644 index 000000000..20d7f663f --- /dev/null +++ b/component-object/src/main/ui/src/reducers/groceryList.js @@ -0,0 +1,38 @@ +const groceryItem = (state, action) => { + switch (action.type) { + case 'ADD_GROCERY_ITEM': + return { + id: action.id, + text: action.text, + completed: false, + }; + case 'TOGGLE_GROCERY_ITEM': + if (state.id !== action.id) { + return state; + } + return { + ...state, + completed: !state.completed, + }; + default: + return state; + } +}; + +const groceryList = (state = [], action) => { + switch (action.type) { + case 'ADD_GROCERY_ITEM': + return [ + ...state, + groceryItem(undefined, action), + ]; + case 'TOGGLE_GROCERY_ITEM': + return state.map(t => + groceryItem(t, action) + ); + default: + return state; + } +}; + +export default groceryList; diff --git a/component-object/src/main/ui/src/reducers/index.js b/component-object/src/main/ui/src/reducers/index.js new file mode 100644 index 000000000..81ebc32c4 --- /dev/null +++ b/component-object/src/main/ui/src/reducers/index.js @@ -0,0 +1,12 @@ +import { combineReducers } from 'redux'; +import todos from './todos'; +import groceryList from './groceryList'; +import visibilityFilter from './visibilityFilter'; + +const todoApp = combineReducers({ + todos, + groceryList, + visibilityFilter, +}); + +export default todoApp; diff --git a/component-object/src/main/ui/src/reducers/todos.js b/component-object/src/main/ui/src/reducers/todos.js new file mode 100644 index 000000000..d3484d1fd --- /dev/null +++ b/component-object/src/main/ui/src/reducers/todos.js @@ -0,0 +1,38 @@ +const todo = (state, action) => { + switch (action.type) { + case 'ADD_TODO': + return { + id: action.id, + text: action.text, + completed: false, + }; + case 'TOGGLE_TODO': + if (state.id !== action.id) { + return state; + } + return { + ...state, + completed: !state.completed, + }; + default: + return state; + } +}; + +const todos = (state = [], action) => { + switch (action.type) { + case 'ADD_TODO': + return [ + ...state, + todo(undefined, action), + ]; + case 'TOGGLE_TODO': + return state.map(t => + todo(t, action) + ); + default: + return state; + } +}; + +export default todos; diff --git a/component-object/src/main/ui/src/reducers/visibilityFilter.js b/component-object/src/main/ui/src/reducers/visibilityFilter.js new file mode 100644 index 000000000..f0801e036 --- /dev/null +++ b/component-object/src/main/ui/src/reducers/visibilityFilter.js @@ -0,0 +1,10 @@ +const visibilityFilter = (state = 'SHOW_ALL', action) => { + switch (action.type) { + case 'SET_VISIBILITY_FILTER': + return action.filter; + default: + return state; + } +}; + +export default visibilityFilter; diff --git a/component-object/src/main/ui/webpack.config.babel.js b/component-object/src/main/ui/webpack.config.babel.js new file mode 100644 index 000000000..a1389cad8 --- /dev/null +++ b/component-object/src/main/ui/webpack.config.babel.js @@ -0,0 +1,19 @@ +import path from 'path'; + +export default { + devtool: 'eval', + entry: './src/index', + output: { + path: path.join(__dirname, '../resources/static/dist'), + filename: 'bundle.js', + publicPath: '/static/', + }, + module: { + loaders: [{ + test: /\.js$/, + loaders: ['babel'], + exclude: /node_modules/, + include: __dirname, + }], + }, +}; diff --git a/component-object/src/test/java/com/iluwatar/component/AddItemComponent.java b/component-object/src/test/java/com/iluwatar/component/AddItemComponent.java new file mode 100644 index 000000000..42df7427d --- /dev/null +++ b/component-object/src/test/java/com/iluwatar/component/AddItemComponent.java @@ -0,0 +1,23 @@ +package com.iluwatar.component; + +import org.openqa.selenium.By; +import org.openqa.selenium.WebDriver; +import org.openqa.selenium.WebElement; + +class AddItemComponent { + private WebDriver driver; + private String containerCssSelector; + + AddItemComponent(WebDriver driver, String containerCssSelector) { + this.driver = driver; + this.containerCssSelector = containerCssSelector; + } + + AddItemComponent addItem(String todo) { + WebElement input = driver.findElement(By.cssSelector(containerCssSelector + " input")); + input.sendKeys(todo); + WebElement button = driver.findElement(By.cssSelector(containerCssSelector + " button")); + button.click(); + return this; + } +} diff --git a/component-object/src/test/java/com/iluwatar/component/ItemsListComponent.java b/component-object/src/test/java/com/iluwatar/component/ItemsListComponent.java new file mode 100644 index 000000000..4a970ff3f --- /dev/null +++ b/component-object/src/test/java/com/iluwatar/component/ItemsListComponent.java @@ -0,0 +1,54 @@ +package com.iluwatar.component; + +import org.apache.commons.lang3.StringUtils; +import org.openqa.selenium.By; +import org.openqa.selenium.WebDriver; +import org.openqa.selenium.WebElement; + +import java.util.List; + +import static java.lang.String.format; +import static org.junit.Assert.assertEquals; +import static org.junit.Assert.assertNotNull; +import static org.junit.Assert.assertTrue; + +class ItemsListComponent { + private final WebDriver driver; + private final String containerCssSelector; + + ItemsListComponent(WebDriver driver, String containerCssSelector) { + this.driver = driver; + this.containerCssSelector = containerCssSelector; + } + + ItemsListComponent clickOnItem(String todoItem) { + findElementWithText(todoItem).click(); + return this; + } + + ItemsListComponent verifyItemShown(String todoItem, boolean expectedStrikethrough) { + WebElement todoElement = findElementWithText(todoItem); + assertNotNull(todoElement); + boolean actualStrikethrough = todoElement.getAttribute("style").contains("text-decoration: line-through;"); + assertEquals(expectedStrikethrough, actualStrikethrough); + return this; + } + + ItemsListComponent verifyItemNotShown(String todoItem) { + assertTrue(findElementsWithText(todoItem).isEmpty()); + return this; + } + + private WebElement findElementWithText(String text) { + return driver.findElement(getConditionForText(text)); + } + + private List findElementsWithText(String text) { + return driver.findElements(getConditionForText(text)); + } + + private By getConditionForText(String text) { + String containerClassName = StringUtils.substring(containerCssSelector, 1); + return By.xpath(format("//*[@class='" + containerClassName + "']//*[text()='%s']", text)); + } +} diff --git a/component-object/src/test/java/com/iluwatar/component/TodoAppTest.java b/component-object/src/test/java/com/iluwatar/component/TodoAppTest.java new file mode 100644 index 000000000..8c1d5fd89 --- /dev/null +++ b/component-object/src/test/java/com/iluwatar/component/TodoAppTest.java @@ -0,0 +1,254 @@ +package com.iluwatar.component; + +import io.github.bonigarcia.wdm.ChromeDriverManager; + +import org.junit.AfterClass; +import org.junit.BeforeClass; +import org.junit.Test; +import org.junit.runner.RunWith; +import org.openqa.selenium.WebDriver; +import org.openqa.selenium.chrome.ChromeDriver; +import org.springframework.boot.test.SpringApplicationConfiguration; +import org.springframework.boot.test.WebIntegrationTest; +import org.springframework.test.context.junit4.SpringJUnit4ClassRunner; + +import com.iluwatar.component.app.TodoApp; + +@RunWith(SpringJUnit4ClassRunner.class) +@SpringApplicationConfiguration(classes = TodoApp.class) +@WebIntegrationTest +public class TodoAppTest { + private static WebDriver driver; + + @BeforeClass + public static void setUp() { + ChromeDriverManager.getInstance().setup(); + driver = new ChromeDriver(); + } + + @AfterClass + public static void tearDown() { + driver.quit(); + } + + @Test + public void testCreateTodos() { + // GIVEN + new TodoPageObject(driver).get() + + // WHEN + .addTodo("Buy groceries") + .addTodo("Tidy up") + + // THEN + .getTodoList() + .verifyItemShown("Buy groceries", false) + .verifyItemShown("Tidy up", false); + } + + @Test + public void testCompleteTodo() { + // GIVEN + new TodoPageObject(driver).get() + .addTodo("Buy groceries") + .addTodo("Tidy up") + .getTodoList() + + // WHEN + .clickOnItem("Buy groceries") + + // THEN + .verifyItemShown("Buy groceries", true) + .verifyItemShown("Tidy up", false); + } + + @Test + public void testSelectTodosActive() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + + todoPage + .addTodo("Buy groceries") + .addTodo("Tidy up") + .getTodoList() + .clickOnItem("Buy groceries"); + + // WHEN + todoPage + .selectActive() + + // THEN + .getTodoList() + .verifyItemNotShown("Buy groceries") + .verifyItemShown("Tidy up", false); + } + + @Test + public void testSelectTodosCompleted() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + todoPage + .addTodo("Buy groceries") + .addTodo("Tidy up") + .getTodoList() + .clickOnItem("Buy groceries"); + + // WHEN + todoPage + .selectCompleted() + + // THEN + .getTodoList() + .verifyItemShown("Buy groceries", true) + .verifyItemNotShown("Tidy up"); + } + + @Test + public void testSelectTodosAll() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + todoPage + .addTodo("Buy groceries") + .addTodo("Tidy up") + .getTodoList() + .clickOnItem("Buy groceries"); + todoPage + .selectCompleted() + + // WHEN + .selectAll() + + // THEN + .getTodoList() + .verifyItemShown("Buy groceries", true) + .verifyItemShown("Tidy up", false); + } + + @Test + public void testCreateGroceryItems() { + // GIVEN + new TodoPageObject(driver).get() + + // WHEN + .addGroceryItem("avocados") + .addGroceryItem("tomatoes") + + // THEN + .getGroceryList() + .verifyItemShown("avocados", false) + .verifyItemShown("tomatoes", false); + } + + @Test + public void testCompleteGroceryItem() { + // GIVEN + new TodoPageObject(driver).get() + .addGroceryItem("avocados") + .addGroceryItem("tomatoes") + .getGroceryList() + + // WHEN + .clickOnItem("avocados") + + // THEN + .verifyItemShown("avocados", true) + .verifyItemShown("tomatoes", false); + } + + @Test + public void testSelectGroceryItemsActive() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + + todoPage + .addGroceryItem("avocados") + .addGroceryItem("tomatoes") + .getGroceryList() + .clickOnItem("avocados"); + + // WHEN + todoPage + .selectActive() + + // THEN + .getGroceryList() + .verifyItemNotShown("avocados") + .verifyItemShown("tomatoes", false); + } + + @Test + public void testSelectGroceryItemsCompleted() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + todoPage + .addGroceryItem("avocados") + .addGroceryItem("tomatoes") + .getGroceryList() + .clickOnItem("avocados"); + + // WHEN + todoPage + .selectCompleted() + + // THEN + .getGroceryList() + .verifyItemShown("avocados", true) + .verifyItemNotShown("tomatoes"); + } + + @Test + public void testSelectGroceryItemsAll() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + todoPage + .addGroceryItem("avocados") + .addGroceryItem("tomatoes") + .getGroceryList() + .clickOnItem("avocados"); + todoPage + .selectCompleted() + + // WHEN + .selectAll() + + // THEN + .getGroceryList() + .verifyItemShown("avocados", true) + .verifyItemShown("tomatoes", false); + } + + @Test + public void testSelectCombinedItemsActive() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + + todoPage + .addTodo("Buy groceries") + .addTodo("Tidy up") + .addGroceryItem("avocados") + .addGroceryItem("tomatoes"); + + todoPage + .getGroceryList() + .clickOnItem("avocados"); + + todoPage + .getTodoList() + .clickOnItem("Tidy up"); + + // WHEN + todoPage + .selectActive(); + + // THEN + todoPage + .getTodoList() + .verifyItemShown("Buy groceries", false) + .verifyItemNotShown("Tidy up"); + + todoPage + .getGroceryList() + .verifyItemNotShown("avocados") + .verifyItemShown("tomatoes", false); + } +} diff --git a/component-object/src/test/java/com/iluwatar/component/TodoPageObject.java b/component-object/src/test/java/com/iluwatar/component/TodoPageObject.java new file mode 100644 index 000000000..163d58975 --- /dev/null +++ b/component-object/src/test/java/com/iluwatar/component/TodoPageObject.java @@ -0,0 +1,79 @@ +package com.iluwatar.component; + +import org.openqa.selenium.By; +import org.openqa.selenium.WebDriver; +import org.openqa.selenium.WebElement; +import org.openqa.selenium.support.ui.ExpectedConditions; +import org.openqa.selenium.support.ui.WebDriverWait; + +import java.util.List; + +import static java.lang.String.format; +import static org.junit.Assert.*; + +class TodoPageObject { + private final WebDriver driver; + private final WebDriverWait wait; + private final ItemsListComponent todoItemsList; + private final AddItemComponent addTodoItemComponent; + private final ItemsListComponent groceryItemsList; + private final AddItemComponent addGroceryItemComponent; + + TodoPageObject(WebDriver driver) { + this.driver = driver; + this.wait = new WebDriverWait(driver, 10); + todoItemsList = new ItemsListComponent(driver, ".todo-list"); + addTodoItemComponent = new AddItemComponent(driver, ".add-todo"); + groceryItemsList = new ItemsListComponent(driver, ".grocery-list"); + addGroceryItemComponent = new AddItemComponent(driver, ".add-grocery-item"); + } + + TodoPageObject get() { + driver.get("localhost:8080"); + wait.until(ExpectedConditions.elementToBeClickable(By.tagName("button"))); + return this; + } + + TodoPageObject selectAll() { + findElementWithText("All").click(); + return this; + } + + TodoPageObject selectActive() { + findElementWithText("Active").click(); + return this; + } + + TodoPageObject selectCompleted() { + findElementWithText("Completed").click(); + return this; + } + + TodoPageObject addTodo(String todoName) { + addTodoItemComponent.addItem(todoName); + return this; + } + + TodoPageObject addGroceryItem(String todoName) { + addGroceryItemComponent.addItem(todoName); + return this; + } + + ItemsListComponent getTodoList() { + return todoItemsList; + } + + ItemsListComponent getGroceryList() { + return groceryItemsList; + } + + private WebElement findElementWithText(String text) { + return driver.findElement(getConditionForText(text)); + } + + private By getConditionForText(String text) { + return By.xpath(format("//*[text()='%s']", text)); + } + + +} diff --git a/pom.xml b/pom.xml index e1d025c13..741367b30 100644 --- a/pom.xml +++ b/pom.xml @@ -161,6 +161,7 @@ dirty-flag trampoline serverless + component-object @@ -476,4 +477,4 @@ - + \ No newline at end of file From c48a1e9193c054c920e23f4d5229ebfdeccf3a2f Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Mon, 11 Jun 2018 01:56:32 +0530 Subject: [PATCH 02/15] #509: Checkstyle Fixes --- component-object/pom.xml | 34 ++ .../com/iluwatar/component/app/TodoApp.java | 43 +- .../src/main/resources/application.properties | 23 + .../src/main/resources/static/dist/bundle.js | 22 + .../src/main/resources/static/index.html | 24 + component-object/src/main/ui/devServer.js | 22 + component-object/src/main/ui/index.html | 24 + .../src/main/ui/src/actions/index.js | 22 + .../main/ui/src/components/AddGroceryItem.js | 22 + .../src/main/ui/src/components/AddTodo.js | 22 + .../src/main/ui/src/components/App.js | 22 + .../src/main/ui/src/components/FilterLink.js | 22 + .../src/main/ui/src/components/Footer.js | 22 + .../src/main/ui/src/components/Link.js | 22 + .../src/main/ui/src/components/Todo.js | 22 + .../src/main/ui/src/components/TodoList.js | 22 + .../ui/src/components/VisibleGroceryList.js | 22 + .../main/ui/src/components/VisibleTodoList.js | 22 + component-object/src/main/ui/src/index.js | 22 + .../src/main/ui/src/reducers/groceryList.js | 22 + .../src/main/ui/src/reducers/index.js | 22 + .../src/main/ui/src/reducers/todos.js | 22 + .../main/ui/src/reducers/visibilityFilter.js | 22 + .../src/main/ui/webpack.config.babel.js | 22 + .../iluwatar/component/AddItemComponent.java | 48 +- .../component/ItemsListComponent.java | 99 +++-- .../com/iluwatar/component/TodoAppTest.java | 413 ++++++++++-------- .../iluwatar/component/TodoPageObject.java | 131 +++--- 28 files changed, 953 insertions(+), 304 deletions(-) diff --git a/component-object/pom.xml b/component-object/pom.xml index bb00d89b4..3c8d267be 100644 --- a/component-object/pom.xml +++ b/component-object/pom.xml @@ -1,4 +1,28 @@ + 4.0.0 @@ -30,6 +54,16 @@ 1.4.6 test + + org.junit.jupiter + junit-jupiter-api + test + + + org.junit.jupiter + junit-jupiter-engine + test + diff --git a/component-object/src/main/java/com/iluwatar/component/app/TodoApp.java b/component-object/src/main/java/com/iluwatar/component/app/TodoApp.java index 943fdcbcf..2f6194671 100644 --- a/component-object/src/main/java/com/iluwatar/component/app/TodoApp.java +++ b/component-object/src/main/java/com/iluwatar/component/app/TodoApp.java @@ -1,12 +1,49 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.component.app; import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; +/** + * Web development is shifting more and more towards reusable components. + * Frameworks like React, Polymer, Angular, Ember and others provide various + * component friendly abstractions to make front-end code-bases more maintainable. + * So our web applications are now full of “widgets” that have same behavior. + * We can use component various times on single web page or re-use it on various web pages. + * Component Object pattern provides an abstraction which covers functionality of + * single component and reuse it across end-to-end tests. When we have various same + * components on single web page, we are going to use various Component Objects of + * same type per Page Object. + * + */ @SpringBootApplication public class TodoApp { - public static void main(String[] args) { - SpringApplication.run(TodoApp.class, args); - } + /** + * Program entry point + */ + public static void main(String[] args) { + SpringApplication.run(TodoApp.class, args); + } } diff --git a/component-object/src/main/resources/application.properties b/component-object/src/main/resources/application.properties index e69de29bb..50e26d574 100644 --- a/component-object/src/main/resources/application.properties +++ b/component-object/src/main/resources/application.properties @@ -0,0 +1,23 @@ +# +# The MIT License +# Copyright (c) 2014 Ilkka Seppälä +# +# Permission is hereby granted, free of charge, to any person obtaining a copy +# of this software and associated documentation files (the "Software"), to deal +# in the Software without restriction, including without limitation the rights +# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +# copies of the Software, and to permit persons to whom the Software is +# furnished to do so, subject to the following conditions: +# +# The above copyright notice and this permission notice shall be included in +# all copies or substantial portions of the Software. +# +# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +# THE SOFTWARE. +# + diff --git a/component-object/src/main/resources/static/dist/bundle.js b/component-object/src/main/resources/static/dist/bundle.js index 9469a9dcf..b2cae112e 100644 --- a/component-object/src/main/resources/static/dist/bundle.js +++ b/component-object/src/main/resources/static/dist/bundle.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; diff --git a/component-object/src/main/resources/static/index.html b/component-object/src/main/resources/static/index.html index 33bee3407..f0db241f6 100644 --- a/component-object/src/main/resources/static/index.html +++ b/component-object/src/main/resources/static/index.html @@ -1,3 +1,27 @@ + diff --git a/component-object/src/main/ui/devServer.js b/component-object/src/main/ui/devServer.js index 242952529..511a84e79 100644 --- a/component-object/src/main/ui/devServer.js +++ b/component-object/src/main/ui/devServer.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import path from 'path'; import webpack from 'webpack'; import webpackDevMiddleware from 'webpack-dev-middleware'; diff --git a/component-object/src/main/ui/index.html b/component-object/src/main/ui/index.html index 527ff97df..d58721ef2 100644 --- a/component-object/src/main/ui/index.html +++ b/component-object/src/main/ui/index.html @@ -1,3 +1,27 @@ + diff --git a/component-object/src/main/ui/src/actions/index.js b/component-object/src/main/ui/src/actions/index.js index 81616d533..11a0206d1 100644 --- a/component-object/src/main/ui/src/actions/index.js +++ b/component-object/src/main/ui/src/actions/index.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ let nextTodoId = 0; export const addTodo = (text) => { return { diff --git a/component-object/src/main/ui/src/components/AddGroceryItem.js b/component-object/src/main/ui/src/components/AddGroceryItem.js index 9de9cbd08..3a2571f04 100644 --- a/component-object/src/main/ui/src/components/AddGroceryItem.js +++ b/component-object/src/main/ui/src/components/AddGroceryItem.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import React, { PropTypes } from 'react'; import { connect } from 'react-redux'; import { addGroceryItem } from '../actions'; diff --git a/component-object/src/main/ui/src/components/AddTodo.js b/component-object/src/main/ui/src/components/AddTodo.js index 48e959825..973f3ff0a 100644 --- a/component-object/src/main/ui/src/components/AddTodo.js +++ b/component-object/src/main/ui/src/components/AddTodo.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import React, { PropTypes } from 'react'; import { connect } from 'react-redux'; import { addTodo } from '../actions'; diff --git a/component-object/src/main/ui/src/components/App.js b/component-object/src/main/ui/src/components/App.js index 853ee9f2e..e3fc95c61 100644 --- a/component-object/src/main/ui/src/components/App.js +++ b/component-object/src/main/ui/src/components/App.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import React from 'react'; import Footer from './Footer'; import AddTodo from './AddTodo'; diff --git a/component-object/src/main/ui/src/components/FilterLink.js b/component-object/src/main/ui/src/components/FilterLink.js index 65beb8224..575a42acf 100644 --- a/component-object/src/main/ui/src/components/FilterLink.js +++ b/component-object/src/main/ui/src/components/FilterLink.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import { connect } from 'react-redux'; import { setVisibilityFilter } from '../actions'; import Link from './Link'; diff --git a/component-object/src/main/ui/src/components/Footer.js b/component-object/src/main/ui/src/components/Footer.js index 7a57d424c..d4456cfca 100644 --- a/component-object/src/main/ui/src/components/Footer.js +++ b/component-object/src/main/ui/src/components/Footer.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import React from 'react'; import FilterLink from './FilterLink'; diff --git a/component-object/src/main/ui/src/components/Link.js b/component-object/src/main/ui/src/components/Link.js index a0b925adb..de18ea9e8 100644 --- a/component-object/src/main/ui/src/components/Link.js +++ b/component-object/src/main/ui/src/components/Link.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import React, { PropTypes } from 'react'; const Link = ({ active, children, onClick }) => { diff --git a/component-object/src/main/ui/src/components/Todo.js b/component-object/src/main/ui/src/components/Todo.js index 3a6067187..6ae5d6eba 100644 --- a/component-object/src/main/ui/src/components/Todo.js +++ b/component-object/src/main/ui/src/components/Todo.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import React, { PropTypes } from 'react'; const Todo = ({ onClick, completed, text }) => ( diff --git a/component-object/src/main/ui/src/components/TodoList.js b/component-object/src/main/ui/src/components/TodoList.js index acd0705e1..1373baf75 100644 --- a/component-object/src/main/ui/src/components/TodoList.js +++ b/component-object/src/main/ui/src/components/TodoList.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import React, { PropTypes } from 'react'; import Todo from './Todo'; diff --git a/component-object/src/main/ui/src/components/VisibleGroceryList.js b/component-object/src/main/ui/src/components/VisibleGroceryList.js index 235fc4ebe..9bac09aa0 100644 --- a/component-object/src/main/ui/src/components/VisibleGroceryList.js +++ b/component-object/src/main/ui/src/components/VisibleGroceryList.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import { connect } from 'react-redux'; import { toggleGroceryItem } from '../actions'; import TodoList from './TodoList'; diff --git a/component-object/src/main/ui/src/components/VisibleTodoList.js b/component-object/src/main/ui/src/components/VisibleTodoList.js index 1147dda00..42a44a2c1 100644 --- a/component-object/src/main/ui/src/components/VisibleTodoList.js +++ b/component-object/src/main/ui/src/components/VisibleTodoList.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import { connect } from 'react-redux'; import { toggleTodo } from '../actions'; import TodoList from './TodoList'; diff --git a/component-object/src/main/ui/src/index.js b/component-object/src/main/ui/src/index.js index 00cc1c8fa..375c2f731 100644 --- a/component-object/src/main/ui/src/index.js +++ b/component-object/src/main/ui/src/index.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import 'babel-polyfill'; import React from 'react'; import { render } from 'react-dom'; diff --git a/component-object/src/main/ui/src/reducers/groceryList.js b/component-object/src/main/ui/src/reducers/groceryList.js index 20d7f663f..f0150fe4b 100644 --- a/component-object/src/main/ui/src/reducers/groceryList.js +++ b/component-object/src/main/ui/src/reducers/groceryList.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ const groceryItem = (state, action) => { switch (action.type) { case 'ADD_GROCERY_ITEM': diff --git a/component-object/src/main/ui/src/reducers/index.js b/component-object/src/main/ui/src/reducers/index.js index 81ebc32c4..eae959366 100644 --- a/component-object/src/main/ui/src/reducers/index.js +++ b/component-object/src/main/ui/src/reducers/index.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import { combineReducers } from 'redux'; import todos from './todos'; import groceryList from './groceryList'; diff --git a/component-object/src/main/ui/src/reducers/todos.js b/component-object/src/main/ui/src/reducers/todos.js index d3484d1fd..cc5434f83 100644 --- a/component-object/src/main/ui/src/reducers/todos.js +++ b/component-object/src/main/ui/src/reducers/todos.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ const todo = (state, action) => { switch (action.type) { case 'ADD_TODO': diff --git a/component-object/src/main/ui/src/reducers/visibilityFilter.js b/component-object/src/main/ui/src/reducers/visibilityFilter.js index f0801e036..354cf730c 100644 --- a/component-object/src/main/ui/src/reducers/visibilityFilter.js +++ b/component-object/src/main/ui/src/reducers/visibilityFilter.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ const visibilityFilter = (state = 'SHOW_ALL', action) => { switch (action.type) { case 'SET_VISIBILITY_FILTER': diff --git a/component-object/src/main/ui/webpack.config.babel.js b/component-object/src/main/ui/webpack.config.babel.js index a1389cad8..5f846ef91 100644 --- a/component-object/src/main/ui/webpack.config.babel.js +++ b/component-object/src/main/ui/webpack.config.babel.js @@ -1,3 +1,25 @@ +/* + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ import path from 'path'; export default { diff --git a/component-object/src/test/java/com/iluwatar/component/AddItemComponent.java b/component-object/src/test/java/com/iluwatar/component/AddItemComponent.java index 42df7427d..5494a95c1 100644 --- a/component-object/src/test/java/com/iluwatar/component/AddItemComponent.java +++ b/component-object/src/test/java/com/iluwatar/component/AddItemComponent.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.component; import org.openqa.selenium.By; @@ -5,19 +27,19 @@ import org.openqa.selenium.WebDriver; import org.openqa.selenium.WebElement; class AddItemComponent { - private WebDriver driver; - private String containerCssSelector; + private WebDriver driver; + private String containerCssSelector; - AddItemComponent(WebDriver driver, String containerCssSelector) { - this.driver = driver; - this.containerCssSelector = containerCssSelector; - } + AddItemComponent(WebDriver driver, String containerCssSelector) { + this.driver = driver; + this.containerCssSelector = containerCssSelector; + } - AddItemComponent addItem(String todo) { - WebElement input = driver.findElement(By.cssSelector(containerCssSelector + " input")); - input.sendKeys(todo); - WebElement button = driver.findElement(By.cssSelector(containerCssSelector + " button")); - button.click(); - return this; - } + AddItemComponent addItem(String todo) { + WebElement input = driver.findElement(By.cssSelector(containerCssSelector + " input")); + input.sendKeys(todo); + WebElement button = driver.findElement(By.cssSelector(containerCssSelector + " button")); + button.click(); + return this; + } } diff --git a/component-object/src/test/java/com/iluwatar/component/ItemsListComponent.java b/component-object/src/test/java/com/iluwatar/component/ItemsListComponent.java index 4a970ff3f..c188c6639 100644 --- a/component-object/src/test/java/com/iluwatar/component/ItemsListComponent.java +++ b/component-object/src/test/java/com/iluwatar/component/ItemsListComponent.java @@ -1,54 +1,77 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.component; -import org.apache.commons.lang3.StringUtils; -import org.openqa.selenium.By; -import org.openqa.selenium.WebDriver; -import org.openqa.selenium.WebElement; - -import java.util.List; - import static java.lang.String.format; import static org.junit.Assert.assertEquals; import static org.junit.Assert.assertNotNull; import static org.junit.Assert.assertTrue; +import java.util.List; + +import org.apache.commons.lang3.StringUtils; +import org.openqa.selenium.By; +import org.openqa.selenium.WebDriver; +import org.openqa.selenium.WebElement; + class ItemsListComponent { - private final WebDriver driver; - private final String containerCssSelector; + private final WebDriver driver; + private final String containerCssSelector; - ItemsListComponent(WebDriver driver, String containerCssSelector) { - this.driver = driver; - this.containerCssSelector = containerCssSelector; - } + ItemsListComponent(WebDriver driver, String containerCssSelector) { + this.driver = driver; + this.containerCssSelector = containerCssSelector; + } - ItemsListComponent clickOnItem(String todoItem) { - findElementWithText(todoItem).click(); - return this; - } + ItemsListComponent clickOnItem(String todoItem) { + findElementWithText(todoItem).click(); + return this; + } - ItemsListComponent verifyItemShown(String todoItem, boolean expectedStrikethrough) { - WebElement todoElement = findElementWithText(todoItem); - assertNotNull(todoElement); - boolean actualStrikethrough = todoElement.getAttribute("style").contains("text-decoration: line-through;"); - assertEquals(expectedStrikethrough, actualStrikethrough); - return this; - } + ItemsListComponent verifyItemShown(String todoItem, boolean expectedStrikethrough) { + WebElement todoElement = findElementWithText(todoItem); + assertNotNull(todoElement); + boolean actualStrikethrough = todoElement.getAttribute("style") + .contains("text-decoration: line-through;"); + assertEquals(expectedStrikethrough, actualStrikethrough); + return this; + } - ItemsListComponent verifyItemNotShown(String todoItem) { - assertTrue(findElementsWithText(todoItem).isEmpty()); - return this; - } + ItemsListComponent verifyItemNotShown(String todoItem) { + assertTrue(findElementsWithText(todoItem).isEmpty()); + return this; + } - private WebElement findElementWithText(String text) { - return driver.findElement(getConditionForText(text)); - } + private WebElement findElementWithText(String text) { + return driver.findElement(getConditionForText(text)); + } - private List findElementsWithText(String text) { - return driver.findElements(getConditionForText(text)); - } + private List findElementsWithText(String text) { + return driver.findElements(getConditionForText(text)); + } - private By getConditionForText(String text) { - String containerClassName = StringUtils.substring(containerCssSelector, 1); - return By.xpath(format("//*[@class='" + containerClassName + "']//*[text()='%s']", text)); - } + private By getConditionForText(String text) { + String containerClassName = StringUtils.substring(containerCssSelector, 1); + return By.xpath(format("//*[@class='" + containerClassName + "']//*[text()='%s']", text)); + } } diff --git a/component-object/src/test/java/com/iluwatar/component/TodoAppTest.java b/component-object/src/test/java/com/iluwatar/component/TodoAppTest.java index 8c1d5fd89..929684b8d 100644 --- a/component-object/src/test/java/com/iluwatar/component/TodoAppTest.java +++ b/component-object/src/test/java/com/iluwatar/component/TodoAppTest.java @@ -1,5 +1,29 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.component; +import com.iluwatar.component.app.TodoApp; + import io.github.bonigarcia.wdm.ChromeDriverManager; import org.junit.AfterClass; @@ -12,243 +36,244 @@ import org.springframework.boot.test.SpringApplicationConfiguration; import org.springframework.boot.test.WebIntegrationTest; import org.springframework.test.context.junit4.SpringJUnit4ClassRunner; -import com.iluwatar.component.app.TodoApp; - +/** + * Tests various components. + */ @RunWith(SpringJUnit4ClassRunner.class) @SpringApplicationConfiguration(classes = TodoApp.class) @WebIntegrationTest public class TodoAppTest { - private static WebDriver driver; + private static WebDriver driver; - @BeforeClass - public static void setUp() { - ChromeDriverManager.getInstance().setup(); - driver = new ChromeDriver(); - } + @BeforeClass + public static void setUp() { + ChromeDriverManager.getInstance().setup(); + driver = new ChromeDriver(); + } - @AfterClass - public static void tearDown() { - driver.quit(); - } + @AfterClass + public static void tearDown() { + driver.quit(); + } - @Test - public void testCreateTodos() { - // GIVEN - new TodoPageObject(driver).get() + @Test + public void testCreateTodos() { + // GIVEN + new TodoPageObject(driver).get() - // WHEN - .addTodo("Buy groceries") - .addTodo("Tidy up") + // WHEN + .addTodo("Buy groceries") + .addTodo("Tidy up") - // THEN - .getTodoList() - .verifyItemShown("Buy groceries", false) - .verifyItemShown("Tidy up", false); - } + // THEN + .getTodoList() + .verifyItemShown("Buy groceries", false) + .verifyItemShown("Tidy up", false); + } - @Test - public void testCompleteTodo() { - // GIVEN - new TodoPageObject(driver).get() - .addTodo("Buy groceries") - .addTodo("Tidy up") - .getTodoList() + @Test + public void testCompleteTodo() { + // GIVEN + new TodoPageObject(driver).get() + .addTodo("Buy groceries") + .addTodo("Tidy up") + .getTodoList() - // WHEN - .clickOnItem("Buy groceries") + // WHEN + .clickOnItem("Buy groceries") - // THEN - .verifyItemShown("Buy groceries", true) - .verifyItemShown("Tidy up", false); - } + // THEN + .verifyItemShown("Buy groceries", true) + .verifyItemShown("Tidy up", false); + } - @Test - public void testSelectTodosActive() { - // GIVEN - TodoPageObject todoPage = new TodoPageObject(driver).get(); + @Test + public void testSelectTodosActive() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); - todoPage - .addTodo("Buy groceries") - .addTodo("Tidy up") - .getTodoList() - .clickOnItem("Buy groceries"); + todoPage + .addTodo("Buy groceries") + .addTodo("Tidy up") + .getTodoList() + .clickOnItem("Buy groceries"); - // WHEN - todoPage - .selectActive() + // WHEN + todoPage + .selectActive() - // THEN - .getTodoList() - .verifyItemNotShown("Buy groceries") - .verifyItemShown("Tidy up", false); - } + // THEN + .getTodoList() + .verifyItemNotShown("Buy groceries") + .verifyItemShown("Tidy up", false); + } - @Test - public void testSelectTodosCompleted() { - // GIVEN - TodoPageObject todoPage = new TodoPageObject(driver).get(); - todoPage - .addTodo("Buy groceries") - .addTodo("Tidy up") - .getTodoList() - .clickOnItem("Buy groceries"); + @Test + public void testSelectTodosCompleted() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + todoPage + .addTodo("Buy groceries") + .addTodo("Tidy up") + .getTodoList() + .clickOnItem("Buy groceries"); - // WHEN - todoPage - .selectCompleted() + // WHEN + todoPage + .selectCompleted() - // THEN - .getTodoList() - .verifyItemShown("Buy groceries", true) - .verifyItemNotShown("Tidy up"); - } + // THEN + .getTodoList() + .verifyItemShown("Buy groceries", true) + .verifyItemNotShown("Tidy up"); + } - @Test - public void testSelectTodosAll() { - // GIVEN - TodoPageObject todoPage = new TodoPageObject(driver).get(); - todoPage - .addTodo("Buy groceries") - .addTodo("Tidy up") - .getTodoList() - .clickOnItem("Buy groceries"); - todoPage - .selectCompleted() + @Test + public void testSelectTodosAll() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + todoPage + .addTodo("Buy groceries") + .addTodo("Tidy up") + .getTodoList() + .clickOnItem("Buy groceries"); + todoPage + .selectCompleted() - // WHEN - .selectAll() + // WHEN + .selectAll() - // THEN - .getTodoList() - .verifyItemShown("Buy groceries", true) - .verifyItemShown("Tidy up", false); - } + // THEN + .getTodoList() + .verifyItemShown("Buy groceries", true) + .verifyItemShown("Tidy up", false); + } - @Test - public void testCreateGroceryItems() { - // GIVEN - new TodoPageObject(driver).get() + @Test + public void testCreateGroceryItems() { + // GIVEN + new TodoPageObject(driver).get() - // WHEN - .addGroceryItem("avocados") - .addGroceryItem("tomatoes") + // WHEN + .addGroceryItem("avocados") + .addGroceryItem("tomatoes") - // THEN - .getGroceryList() - .verifyItemShown("avocados", false) - .verifyItemShown("tomatoes", false); - } + // THEN + .getGroceryList() + .verifyItemShown("avocados", false) + .verifyItemShown("tomatoes", false); + } - @Test - public void testCompleteGroceryItem() { - // GIVEN - new TodoPageObject(driver).get() - .addGroceryItem("avocados") - .addGroceryItem("tomatoes") - .getGroceryList() + @Test + public void testCompleteGroceryItem() { + // GIVEN + new TodoPageObject(driver).get() + .addGroceryItem("avocados") + .addGroceryItem("tomatoes") + .getGroceryList() - // WHEN - .clickOnItem("avocados") + // WHEN + .clickOnItem("avocados") - // THEN - .verifyItemShown("avocados", true) - .verifyItemShown("tomatoes", false); - } + // THEN + .verifyItemShown("avocados", true) + .verifyItemShown("tomatoes", false); + } - @Test - public void testSelectGroceryItemsActive() { - // GIVEN - TodoPageObject todoPage = new TodoPageObject(driver).get(); + @Test + public void testSelectGroceryItemsActive() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); - todoPage - .addGroceryItem("avocados") - .addGroceryItem("tomatoes") - .getGroceryList() - .clickOnItem("avocados"); + todoPage + .addGroceryItem("avocados") + .addGroceryItem("tomatoes") + .getGroceryList() + .clickOnItem("avocados"); - // WHEN - todoPage - .selectActive() + // WHEN + todoPage + .selectActive() - // THEN - .getGroceryList() - .verifyItemNotShown("avocados") - .verifyItemShown("tomatoes", false); - } + // THEN + .getGroceryList() + .verifyItemNotShown("avocados") + .verifyItemShown("tomatoes", false); + } - @Test - public void testSelectGroceryItemsCompleted() { - // GIVEN - TodoPageObject todoPage = new TodoPageObject(driver).get(); - todoPage - .addGroceryItem("avocados") - .addGroceryItem("tomatoes") - .getGroceryList() - .clickOnItem("avocados"); + @Test + public void testSelectGroceryItemsCompleted() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + todoPage + .addGroceryItem("avocados") + .addGroceryItem("tomatoes") + .getGroceryList() + .clickOnItem("avocados"); - // WHEN - todoPage - .selectCompleted() + // WHEN + todoPage + .selectCompleted() - // THEN - .getGroceryList() - .verifyItemShown("avocados", true) - .verifyItemNotShown("tomatoes"); - } + // THEN + .getGroceryList() + .verifyItemShown("avocados", true) + .verifyItemNotShown("tomatoes"); + } - @Test - public void testSelectGroceryItemsAll() { - // GIVEN - TodoPageObject todoPage = new TodoPageObject(driver).get(); - todoPage - .addGroceryItem("avocados") - .addGroceryItem("tomatoes") - .getGroceryList() - .clickOnItem("avocados"); - todoPage - .selectCompleted() + @Test + public void testSelectGroceryItemsAll() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); + todoPage + .addGroceryItem("avocados") + .addGroceryItem("tomatoes") + .getGroceryList() + .clickOnItem("avocados"); + todoPage + .selectCompleted() - // WHEN - .selectAll() + // WHEN + .selectAll() - // THEN - .getGroceryList() - .verifyItemShown("avocados", true) - .verifyItemShown("tomatoes", false); - } + // THEN + .getGroceryList() + .verifyItemShown("avocados", true) + .verifyItemShown("tomatoes", false); + } - @Test - public void testSelectCombinedItemsActive() { - // GIVEN - TodoPageObject todoPage = new TodoPageObject(driver).get(); + @Test + public void testSelectCombinedItemsActive() { + // GIVEN + TodoPageObject todoPage = new TodoPageObject(driver).get(); - todoPage - .addTodo("Buy groceries") - .addTodo("Tidy up") - .addGroceryItem("avocados") - .addGroceryItem("tomatoes"); + todoPage + .addTodo("Buy groceries") + .addTodo("Tidy up") + .addGroceryItem("avocados") + .addGroceryItem("tomatoes"); - todoPage - .getGroceryList() - .clickOnItem("avocados"); + todoPage + .getGroceryList() + .clickOnItem("avocados"); - todoPage - .getTodoList() - .clickOnItem("Tidy up"); + todoPage + .getTodoList() + .clickOnItem("Tidy up"); - // WHEN - todoPage - .selectActive(); + // WHEN + todoPage + .selectActive(); - // THEN - todoPage - .getTodoList() - .verifyItemShown("Buy groceries", false) - .verifyItemNotShown("Tidy up"); + // THEN + todoPage + .getTodoList() + .verifyItemShown("Buy groceries", false) + .verifyItemNotShown("Tidy up"); - todoPage - .getGroceryList() - .verifyItemNotShown("avocados") - .verifyItemShown("tomatoes", false); - } + todoPage + .getGroceryList() + .verifyItemNotShown("avocados") + .verifyItemShown("tomatoes", false); + } } diff --git a/component-object/src/test/java/com/iluwatar/component/TodoPageObject.java b/component-object/src/test/java/com/iluwatar/component/TodoPageObject.java index 163d58975..1bac5625d 100644 --- a/component-object/src/test/java/com/iluwatar/component/TodoPageObject.java +++ b/component-object/src/test/java/com/iluwatar/component/TodoPageObject.java @@ -1,79 +1,98 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.component; +import static java.lang.String.format; + import org.openqa.selenium.By; import org.openqa.selenium.WebDriver; import org.openqa.selenium.WebElement; import org.openqa.selenium.support.ui.ExpectedConditions; import org.openqa.selenium.support.ui.WebDriverWait; -import java.util.List; - -import static java.lang.String.format; -import static org.junit.Assert.*; - class TodoPageObject { - private final WebDriver driver; - private final WebDriverWait wait; - private final ItemsListComponent todoItemsList; - private final AddItemComponent addTodoItemComponent; - private final ItemsListComponent groceryItemsList; - private final AddItemComponent addGroceryItemComponent; + private final WebDriver driver; + private final WebDriverWait wait; + private final ItemsListComponent todoItemsList; + private final AddItemComponent addTodoItemComponent; + private final ItemsListComponent groceryItemsList; + private final AddItemComponent addGroceryItemComponent; - TodoPageObject(WebDriver driver) { - this.driver = driver; - this.wait = new WebDriverWait(driver, 10); - todoItemsList = new ItemsListComponent(driver, ".todo-list"); - addTodoItemComponent = new AddItemComponent(driver, ".add-todo"); - groceryItemsList = new ItemsListComponent(driver, ".grocery-list"); - addGroceryItemComponent = new AddItemComponent(driver, ".add-grocery-item"); - } + TodoPageObject(WebDriver driver) { + this.driver = driver; + this.wait = new WebDriverWait(driver, 10); + todoItemsList = new ItemsListComponent(driver, ".todo-list"); + addTodoItemComponent = new AddItemComponent(driver, ".add-todo"); + groceryItemsList = new ItemsListComponent(driver, ".grocery-list"); + addGroceryItemComponent = new AddItemComponent(driver, ".add-grocery-item"); + } - TodoPageObject get() { - driver.get("localhost:8080"); - wait.until(ExpectedConditions.elementToBeClickable(By.tagName("button"))); - return this; - } + TodoPageObject get() { + driver.get("localhost:8080"); + wait.until(ExpectedConditions.elementToBeClickable(By.tagName("button"))); + return this; + } - TodoPageObject selectAll() { - findElementWithText("All").click(); - return this; - } + TodoPageObject selectAll() { + findElementWithText("All").click(); + return this; + } - TodoPageObject selectActive() { - findElementWithText("Active").click(); - return this; - } + TodoPageObject selectActive() { + findElementWithText("Active").click(); + return this; + } - TodoPageObject selectCompleted() { - findElementWithText("Completed").click(); - return this; - } + TodoPageObject selectCompleted() { + findElementWithText("Completed").click(); + return this; + } - TodoPageObject addTodo(String todoName) { - addTodoItemComponent.addItem(todoName); - return this; - } + TodoPageObject addTodo(String todoName) { + addTodoItemComponent.addItem(todoName); + return this; + } - TodoPageObject addGroceryItem(String todoName) { - addGroceryItemComponent.addItem(todoName); - return this; - } + TodoPageObject addGroceryItem(String todoName) { + addGroceryItemComponent.addItem(todoName); + return this; + } - ItemsListComponent getTodoList() { - return todoItemsList; - } + ItemsListComponent getTodoList() { + return todoItemsList; + } - ItemsListComponent getGroceryList() { - return groceryItemsList; - } + ItemsListComponent getGroceryList() { + return groceryItemsList; + } - private WebElement findElementWithText(String text) { - return driver.findElement(getConditionForText(text)); - } + private WebElement findElementWithText(String text) { + return driver.findElement(getConditionForText(text)); + } - private By getConditionForText(String text) { - return By.xpath(format("//*[text()='%s']", text)); - } + private By getConditionForText(String text) { + return By.xpath(format("//*[text()='%s']", text)); + } } From 4456a440bc872881203acc1bc57f75a87d489dba Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Wed, 13 Jun 2018 02:43:25 +0530 Subject: [PATCH 03/15] Monitor Object pattern #466 --- monitor-object/pom.xml | 24 ++ .../com/iluwatar/monitor/AbstractMonitor.java | 214 ++++++++++++++++++ .../java/com/iluwatar/monitor/Assertion.java | 1 + .../java/com/iluwatar/monitor/Condition.java | 1 + .../java/com/iluwatar/monitor/Monitor.java | 77 +++++++ .../com/iluwatar/monitor/MonitorListener.java | 25 ++ .../iluwatar/monitor/RunnableWithResult.java | 5 + .../java/com/iluwatar/monitor/Semaphore.java | 1 + .../com/iluwatar/monitor/TrueAssertion.java | 1 + .../com/iluwatar/monitor/examples/Queue.java | 66 ++++++ .../monitor/examples/VoteInterface.java | 9 + .../monitor/examples/VoteMonitor.java | 63 ++++++ .../com/iluwatar/monitor/AssertionTest.java | 44 ++++ .../iluwatar/monitor/ThreadSignalTest.java | 43 ++++ .../test/java/com/iluwatar/monitor/Voter.java | 40 ++++ .../java/com/iluwatar/monitor/Voter0.java | 13 ++ .../java/com/iluwatar/monitor/Voter1.java | 13 ++ .../java/com/iluwatar/monitor/Voter2.java | 13 ++ pom.xml | 1 + 19 files changed, 654 insertions(+) create mode 100644 monitor-object/pom.xml create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/AbstractMonitor.java create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/Assertion.java create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/Condition.java create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/Monitor.java create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/MonitorListener.java create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/RunnableWithResult.java create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/Semaphore.java create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/TrueAssertion.java create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/examples/Queue.java create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteInterface.java create mode 100644 monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteMonitor.java create mode 100644 monitor-object/src/test/java/com/iluwatar/monitor/AssertionTest.java create mode 100644 monitor-object/src/test/java/com/iluwatar/monitor/ThreadSignalTest.java create mode 100644 monitor-object/src/test/java/com/iluwatar/monitor/Voter.java create mode 100644 monitor-object/src/test/java/com/iluwatar/monitor/Voter0.java create mode 100644 monitor-object/src/test/java/com/iluwatar/monitor/Voter1.java create mode 100644 monitor-object/src/test/java/com/iluwatar/monitor/Voter2.java diff --git a/monitor-object/pom.xml b/monitor-object/pom.xml new file mode 100644 index 000000000..011300547 --- /dev/null +++ b/monitor-object/pom.xml @@ -0,0 +1,24 @@ + + + 4.0.0 + + com.iluwatar + java-design-patterns + 1.20.0-SNAPSHOT + + monitor-object + monitor-object + + + org.junit.jupiter + junit-jupiter-api + test + + + org.junit.jupiter + junit-jupiter-engine + test + + + diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/AbstractMonitor.java b/monitor-object/src/main/java/com/iluwatar/monitor/AbstractMonitor.java new file mode 100644 index 000000000..dd1b512e9 --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/AbstractMonitor.java @@ -0,0 +1,214 @@ +package com.iluwatar.monitor; + +import java.util.ArrayList; + +/** + * A class for Monitors. Monitors provide coordination of concurrent threads. + * Each Monitor protects some resource, usually data. At each point in time a + * monitor object is occupied by at most one thread. + */ +public abstract class AbstractMonitor { + final Semaphore entrance = new Semaphore(1); + volatile Thread occupant = null; + private final ArrayList listOfListeners = new ArrayList<>(); + private final String name; + + public String getName() { + return name; + } + + protected AbstractMonitor() { + this(null); + } + + protected AbstractMonitor(String name) { + this.name = name; + } + + /** + * The invariant. The default implementation always returns true. This method + * should be overridden if at all possible with the strongest economically + * evaluable invariant. + */ + protected boolean invariant() { + return true; + } + + /** + * Enter the monitor. Any thread calling this method is delayed until the + * monitor is unoccupied. Upon returning from this method, the monitor is + * considered occupied. A thread must not attempt to enter a Monitor it is + * already in. + */ + protected void enter() { + notifyCallEnter(); + entrance.acquire(); + // The following assertion should never trip! + Assertion.check(occupant == null, "2 threads in one monitor"); + occupant = Thread.currentThread(); + notifyReturnFromEnter(); + Assertion.check(invariant(), "Invariant of monitor " + getName()); + } + + /** + * Leave the monitor. After returning from this method, the thread no longer + * occupies the monitor. Only a thread that is in the monitor may leave it. + * + * @throws AssertionError + * if the thread that leaves is not the occupant. + */ + protected void leave() { + notifyLeaveMonitor(); + leaveWithoutATrace(); + } + + /** + * Leave the monitor. After returning from this method, the thread no longer + * occupies the monitor. Only a thread that is in the monitor may leave it. + * + * @throws AssertionError + * if the thread that leaves is not the occupant. + */ + protected T leave(T result) { + leave(); + return result; + } + + void leaveWithoutATrace() { + Assertion.check(invariant(), "Invariant of monitor " + getName()); + Assertion.check(occupant == Thread.currentThread(), "Thread is not occupant"); + occupant = null; + entrance.release(); + } + + /** + * Run the runnable inside the monitor. Any thread calling this method will be + * delayed until the monitor is empty. The "run" method of its argument is then + * executed within the protection of the monitor. When the run method returns, + * if the thread still occupies the monitor, it leaves the monitor. + * + * @param runnable + * A Runnable object. + */ + protected void doWithin(Runnable runnable) { + enter(); + try { + runnable.run(); + } finally { + if (occupant == Thread.currentThread()) { + leave(); + } + } + } + + /** + * Run the runnable inside the monitor. Any thread calling this method will be + * delayed until the monitor is empty. The "run" method of its argument is then + * executed within the protection of the monitor. When the run method returns, + * if the thread still occupies the monitor, it leaves the monitor. Thus the + * signalAndLeave method may be called within the run method. + * + * @param runnable + * A RunnableWithResult object. + * @return The value computed by the run method of the runnable. + */ + protected T doWithin(RunnableWithResult runnable) { + enter(); + try { + return runnable.run(); + } finally { + if (occupant == Thread.currentThread()) { + leave(); + } + } + } + + /** + * Create a condition queue associated with a checked Assertion. The Assertion + * will be checked prior to an signal of the condition. + */ + protected Condition makeCondition(Assertion prop) { + return makeCondition(null, prop); + } + + /** + * Create a condition queue with no associated checked Assertion. + */ + protected Condition makeCondition() { + return makeCondition(null, TrueAssertion.singleton); + } + + /** + * Create a condition queue associated with a checked Assertion. The Assertion + * will be checked prior to an signal of the condition. + */ + protected Condition makeCondition(String name, Assertion prop) { + return new Condition(name, this, prop); + } + + /** + * Create a condition queue with no associated checked Assertion. + */ + protected Condition makeCondition(String name) { + return makeCondition(name, TrueAssertion.singleton); + } + + /** Register a listener. */ + public void addListener(MonitorListener newListener) { + listOfListeners.add(newListener); + } + + private void notifyCallEnter() { + for (MonitorListener listener : listOfListeners) { + listener.callEnterMonitor(this); + } + } + + private void notifyReturnFromEnter() { + for (MonitorListener listener : listOfListeners) { + listener.returnFromEnterMonitor(this); + } + } + + private void notifyLeaveMonitor() { + for (MonitorListener listener : listOfListeners) { + listener.leaveMonitor(this); + } + } + + void notifyCallAwait(Condition condition) { + for (MonitorListener listener : listOfListeners) { + listener.callAwait(condition, this); + } + } + + void notifyReturnFromAwait(Condition condition) { + for (MonitorListener listener : listOfListeners) { + listener.returnFromAwait(condition, this); + } + } + + void notifySignallerAwakesAwaitingThread(Condition condition) { + for (MonitorListener listener : listOfListeners) { + listener.signallerAwakesAwaitingThread(condition, this); + } + } + + void notifySignallerLeavesTemporarily(Condition condition) { + for (MonitorListener listener : listOfListeners) { + listener.signallerLeavesTemporarily(condition, this); + } + } + + void notifySignallerReenters(Condition condition) { + for (MonitorListener listener : listOfListeners) { + listener.signallerReenters(condition, this); + } + } + + void notifySignallerLeavesMonitor(Condition condition) { + for (MonitorListener listener : listOfListeners) { + listener.signallerLeavesMonitor(condition, this); + } + } +} diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/Assertion.java b/monitor-object/src/main/java/com/iluwatar/monitor/Assertion.java new file mode 100644 index 000000000..b77586c10 --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/Assertion.java @@ -0,0 +1 @@ +package com.iluwatar.monitor; /** * Assertions that may be checked from time to time. */ public abstract class Assertion { private static final String DEFAULTMESSAGE = "Assertion Failure"; protected String message = DEFAULTMESSAGE; /** This method says whether the assertion is true. */ public abstract boolean isTrue(); /** Throw an AssertionError if the assertion is not true. */ public void check() { check(isTrue(), message); } /** Throw an AssertionError if the parameter is not true. */ public static void check(boolean b) { check(b, DEFAULTMESSAGE); } /** Throw an AssertionError if the boolean parameter is not true. */ public static void check(boolean b, String message) { if (!b) { throw new AssertionError(message); } } } \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/Condition.java b/monitor-object/src/main/java/com/iluwatar/monitor/Condition.java new file mode 100644 index 000000000..be104770f --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/Condition.java @@ -0,0 +1 @@ +package com.iluwatar.monitor; /** * A condition queue. * Uses the signal and wait discipline (SW) or signal and leave (SL). * Each Condition object is associated with a single {@link Assertion} object * and a single AbstractMonitor object. To construct a condition * use the makeCondition methods from * {@link AbstractMonitor} or {@link Monitor} * Threads can wait for the assertion represented by the Assertion object to * become true by calling method await(). Threads can indicate that * the assertion has become true by calling either method signal() * (SW) or signalAndLeave() (SL). All these methods check the * assertion and the monitor's invariant as appropriate. * Threads which wait on a Condition may supply a priority. In the absence of * priority, waiting is fair -- in fact first-in last-out (FIFO). * Each of the await(), signal(), and * signalAndLeave() methods have corresponding conditional * versions, which first check the assertion before awaiting or signalling. * These are: conditionalAwait(), conditionalSignal(), * and conditionalSignalAndLeave(). * Conditions also support a {@link #count} accessor to determine the number of * threads waiting on the condition. * Condition objects are intended to be used only by the thread which occupies * the monitor which created them. */ public class Condition { private final AbstractMonitor homeMonitor; private final Assertion assertion; private final Semaphore queue; private volatile int count; private final String name; Condition(String name, AbstractMonitor homeMonitor, Assertion assertion) { this.name = name; this.homeMonitor = homeMonitor; this.assertion = assertion; this.queue = new Semaphore(0); this.count = 0; } public String getName() { return name; } /** * Just like await, but with a priority. Threads awaiting with a lesser priority * value are re-admitted to the monitor in preference to threads awaiting with a * greater priority value. When priority values are the same, the order is FIFO. * * @param priority * Lower value means more urgent. * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if the invariant is not true to start * @throws AssertionError * if the assertion is not true on return * @see #await() */ public void await(int priority) { homeMonitor.notifyCallAwait(this); Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); count += 1; Assertion.check(homeMonitor.invariant(), "Invariant of monitor " + homeMonitor.getName()); homeMonitor.occupant = null; homeMonitor.entrance.release(); queue.acquire(priority); count -= 1; homeMonitor.occupant = Thread.currentThread(); // It's not clear that the following check is needed anymore, // as there is now a check made on the signal. assertion.check(); homeMonitor.notifyReturnFromAwait(this); } /** * Wait until a condition is signalled. The thread waits outside the monitor * until the condition is signalled. * Precondition: Increasing the count by 1 must make the invariant true. This * thread is in the monitor. * Postcondition: The assertion associated with this condition queue. This * thread is in the monitor. * Note: threads are queued in a FIFO manner unless a priority is used; * cond.await() is equivalent to cond.await( Integer.MAX_VALUE * ). * * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if the invariant is not true to start * @throws AssertionError * if the assertion is not true on return */ public void await() { await(Integer.MAX_VALUE); } /** * Wait only if the condition is not already true. * * @throws AssertionError * if neither the invariant nor the assertion associated with this * object is true * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if the assertion is not true on return * @see #await() */ public void conditionalAwait() { conditionalAwait(Integer.MAX_VALUE); } /** * Just like conditionalAwait, but with a priority. * * @param priority * Lower value means more urgent. * @throws AssertionError * if neither the invariant nor the assertion associated with this * object is true * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if the assertion is not true on return * @see #conditionalAwait() * @see #await( int priority ) * */ public void conditionalAwait(int priority) { if (!assertion.isTrue()) { await(priority); } } /** * Signal this condition if there is a waiting thread. * Allows one thread that was waiting on the condition to reenter the monitor. * Consequently the signalling thread waits outside. The signalling thread is * allowed back into the monitor, once the monitor is again unoccupied. Threads * which have signalled wait with a higher than normal priority and thus are * allowed in ahead of other threads that are waiting to enter the monitor * (e.g., those waiting in {@link AbstractMonitor#enter()}). * If there is no waiting thread, then this is a no-op, but the invariant is * still checked, as it is a postcondition. * Preconditions: *
      *
    • If isEmpty(), the monitor's invariant must be true.
    • *
    • If not isEmpty(), then decreasing count() by 1 must make the proposition * associated with this condition true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: *
      *
    • The monitor's invariant. *
    • This thread is in the monitor. *
    * * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if there is a waiting thread and the assertion is false (after * decreasing the count by 1). * @throws AssertionError * if invariant is false on return. * */ public void signal() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); if (count > 0) { try { count -= 1; assertion.check(); } finally { count += 1; } homeMonitor.notifySignallerLeavesTemporarily(this); homeMonitor.notifySignallerAwakesAwaitingThread(this); homeMonitor.occupant = null; queue.release(); homeMonitor.entrance.acquire(0); // Priority 0 puts the signaller ahead of others. homeMonitor.occupant = Thread.currentThread(); homeMonitor.notifySignallerReenters(this); } Assertion.check(homeMonitor.invariant(), "Invariant of monitor " + homeMonitor.getName()); } /** * Allows one thread which was waiting on the condition to reenter the monitor. * This thread (the one calling signalAndLeave) leaves the monitor immediately. * Preconditions: *
      *
    • If isEmpty(), the monitor's invariant must be true.
    • *
    • If not isEmpty(), then decreasing count() by 1 must make the proposition * associated with this condition true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: This thread is not in the monitor. * * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if there is a waiting thread and the assertion is false (after * decreasing the count by 1). * @throws AssertionError * if there is no waiting thread and the invariant is false. * @see #signal() */ public void signalAndLeave() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); if (count > 0) { try { count -= 1; assertion.check(); } finally { count += 1; } homeMonitor.notifySignallerAwakesAwaitingThread(this); homeMonitor.occupant = null; queue.release(); } else { Assertion.check(homeMonitor.invariant(), "Invariant of monitor " + homeMonitor.getName()); homeMonitor.occupant = null; homeMonitor.entrance.release(); } homeMonitor.notifySignallerLeavesMonitor(this); } /** * Signal if there is a waiting thread, then leave the monitor. Allows one * thread which was waiting on the condition to reenter the monitor. This thread * (the one calling signalAndLeave) leaves the monitor immediately. * Preconditions: *
      *
    • If isEmpty(), the monitor's invariant must be true.
    • *
    • If not isEmpty(), then decreasing count() by 1 must make the proposition * associated with this condition true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: This thread is not in the monitor. * * @param result * A value to return. * @return The value of the result parameter. * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if there is a waiting thread and the assertion is false (after * decreasing the count by 1). * @throws AssertionError * there is no waiting thread and the invariant is false. */ public T signalAndLeave(T result) { signalAndLeave(); return result; } /** * Signal this condition if its assertion is true and there is a waiting thread. * More precisely the condition is only signalled if its assertion would be true * after the count is decreased by 1 and there is a waiting tread. * In such a case, the signalling thread waits outside. The signalling thread is * allowed back into the monitor, once the monitor is again unoccupied. Threads * which have signalled wait with a higher than normal priority and thus are * allowed in ahead of other threads that are waiting to enter the monitor * (e.g., those waiting in {@link AbstractMonitor#enter()}). * If the there are no awaiting threads, or the condition's assertion would not * be true after the count were decreased by one, this method is essentially a * no-op, although the invariant is still checked in such a case. * Preconditions: *
      *
    • If isEmpty(), the monitor's invariant must be true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: *
      *
    • The monitor's invariant. *
    • This thread is in the monitor. *
    * * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if invariant is false on return. * @see #signal() */ public void conditionalSignal() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); if (count > 0) { boolean wouldBeTrue; count -= 1; wouldBeTrue = assertion.isTrue(); count += 1; if (wouldBeTrue) { homeMonitor.notifySignallerAwakesAwaitingThread(this); homeMonitor.notifySignallerLeavesTemporarily(this); homeMonitor.occupant = null; queue.release(); homeMonitor.entrance.acquire(); homeMonitor.occupant = Thread.currentThread(); homeMonitor.notifySignallerReenters(this); } } Assertion.check(homeMonitor.invariant(), "Invariant of monitor " + homeMonitor.getName()); } /** * Signal this condition if its assertion is true and there is a waiting thread; * leave regardless. * More precisely the condition is only signalled if the assertion would be true * after the count is decreased by 1 and there is a waiting thread. * This thread (the one calling signalAndLeave) leaves the monitor immediately. * Preconditions: *
      *
    • If isEmpty() or the assertion would be false after decreasing the count * by 1, the monitor's invariant must be true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: *
      *
    • This thread is not in the monitor. *
    * * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * there is no waiting thread and the invariant is false. * @throws AssertionError * if there is a waiting thread and the assertion is false (after * decreasing the count by 1) and the invariant is false. * @see #signalAndLeave() * @see #conditionalSignal() * */ public void conditionalSignalAndLeave() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); if (count > 0) { boolean wouldBeTrue; count -= 1; wouldBeTrue = assertion.isTrue(); count += 1; if (wouldBeTrue) { homeMonitor.notifySignallerAwakesAwaitingThread(this); homeMonitor.notifySignallerLeavesMonitor(this); homeMonitor.occupant = null; queue.release(); } else { homeMonitor.notifySignallerLeavesMonitor(this); homeMonitor.leaveWithoutATrace(); } } else { homeMonitor.notifySignallerLeavesMonitor(this); homeMonitor.leaveWithoutATrace(); } } /** * Signal this condition if its assertion is true and there is a waiting thread. * Leave regardless. More precisely the condition is only signalled if the * assertion would be true after the count is decreased by 1. * This thread (the one calling signalAndLeave) leaves the monitor immediately. * Preconditions: *
      *
    • If isEmpty() or the assertion would be false after decreasing the count * by 1, the monitor's invariant must be true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: *
      *
    • This thread is not in the monitor. *
    * * @param result * A value to be returned. * @return The value of the result parameter. * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * there is no waiting thread and the invariant is false. * @throws AssertionError * if there is a waiting thread and the assertion is false (after * decreasing the count by 1) and the invariant is false. * @see #conditionalSignalAndLeave() * */ public T conditionalSignalAndLeave(T result) { conditionalSignalAndLeave(); return result; } /** * Test if any thread is waiting on this condition. * * @return count() == 0 . * @throws AssertionError * if the current thread is not the occupant. */ public boolean isEmpty() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); return count == 0; } /** * How many threads are waiting on this condition. * * @return the number of Threads waiting on this condition. * @throws AssertionError * if the current thread is not the occupant. */ public int count() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); return count; } } \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/Monitor.java b/monitor-object/src/main/java/com/iluwatar/monitor/Monitor.java new file mode 100644 index 000000000..bf2ed5915 --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/Monitor.java @@ -0,0 +1,77 @@ +package com.iluwatar.monitor; + +/** + * A final class for Monitors. + */ + +public final class Monitor extends AbstractMonitor { + + private Assertion invariant; + + public Monitor() { + this(TrueAssertion.singleton); + } + + public Monitor(Assertion invariant) { + this.invariant = invariant; + } + + public Monitor(String name) { + this(name, TrueAssertion.singleton); + } + + public Monitor(String name, Assertion invariant) { + super(name); + this.invariant = invariant; + } + + @Override + public boolean invariant() { + return invariant.isTrue(); + } + + @Override + public void enter() { + super.enter(); + } + + @Override + public void leave() { + super.leave(); + } + + @Override + public T leave(T result) { + return super.leave(result); + } + + @Override + public void doWithin(Runnable runnable) { + super.doWithin(runnable); + } + + @Override + public T doWithin(RunnableWithResult runnable) { + return super.doWithin(runnable); + } + + @Override + public Condition makeCondition() { + return super.makeCondition(); + } + + @Override + public Condition makeCondition(Assertion assertion) { + return super.makeCondition(assertion); + } + + @Override + public Condition makeCondition(String name) { + return super.makeCondition(name); + } + + @Override + public Condition makeCondition(String name, Assertion assertion) { + return super.makeCondition(name, assertion); + } +} \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/MonitorListener.java b/monitor-object/src/main/java/com/iluwatar/monitor/MonitorListener.java new file mode 100644 index 000000000..120e9bf35 --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/MonitorListener.java @@ -0,0 +1,25 @@ +package com.iluwatar.monitor; + +public interface MonitorListener { + + void nameThisThread(String name); + + void callEnterMonitor(AbstractMonitor monitor); + + void returnFromEnterMonitor(AbstractMonitor monitor); + + void leaveMonitor(AbstractMonitor monitor); + + void callAwait(Condition condition, AbstractMonitor monitor); + + void returnFromAwait(Condition condition, AbstractMonitor monitor); + + void signallerAwakesAwaitingThread(Condition condition, AbstractMonitor monitor); + + void signallerLeavesTemporarily(Condition condition, AbstractMonitor monitor); + + void signallerReenters(Condition condition, AbstractMonitor monitor); + + void signallerLeavesMonitor(Condition condition, AbstractMonitor monitor); + +} \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/RunnableWithResult.java b/monitor-object/src/main/java/com/iluwatar/monitor/RunnableWithResult.java new file mode 100644 index 000000000..48b4ea06d --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/RunnableWithResult.java @@ -0,0 +1,5 @@ +package com.iluwatar.monitor; + +public interface RunnableWithResult { + public T run(); +} diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/Semaphore.java b/monitor-object/src/main/java/com/iluwatar/monitor/Semaphore.java new file mode 100644 index 000000000..fe45eac11 --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/Semaphore.java @@ -0,0 +1 @@ +package com.iluwatar.monitor; import java.util.LinkedList; import java.util.ListIterator; /** * A FIFO semaphore. */ public class Semaphore { // Each queue element is a a single use semaphore class QueueElement { final int priority; volatile boolean enabled = false; QueueElement(int priority) { this.priority = priority; } synchronized void acquire() { while (!enabled) { try { wait(); } catch (InterruptedException e) { throw new RuntimeException("Unexpected interruption of " + "thread in monitor.Semaphore.acquire"); } } } synchronized void release() { enabled = true; notify(); } } volatile int s1; final LinkedList queue = new LinkedList(); // Invariant. All elements on the queue are in an unenabled state. /** Initialize the semaphore to a value greater or equal to 0. */ public Semaphore(int initialvalue) { Assertion.check(initialvalue >= 0); this.s1 = initialvalue; } /** * The P operation. If two threads are blocked at the same time, they will be * served in FIFO order. sem.acquire() is equivalent to acquire( * Integer.MAX_VALUE ). */ public void acquire() { acquire(Integer.MAX_VALUE); } /** * The P operation with a priority. * * @param priority * The larger the integer, the less urgent the priority. If two * thread are waiting with equal priority, they will complete acquire * in FIFO order. */ public void acquire(int priority) { QueueElement mine; synchronized (this) { if (s1 > 0) { --s1; return; } mine = new QueueElement(priority); if (priority == Integer.MAX_VALUE) { queue.add(mine); } else { ListIterator it = queue.listIterator(0); int i = 0; while (it.hasNext()) { QueueElement elem = it.next(); if (elem.priority > priority) { break; } ++i; } queue.add(i, mine); } } mine.acquire(); } /** The V operation. */ public synchronized void release() { QueueElement first = queue.poll(); if (first != null) { first.release(); } else { ++s1; } } } \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/TrueAssertion.java b/monitor-object/src/main/java/com/iluwatar/monitor/TrueAssertion.java new file mode 100644 index 000000000..82d6bb0e5 --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/TrueAssertion.java @@ -0,0 +1 @@ +package com.iluwatar.monitor; /** * An assertion that is always true. */ public class TrueAssertion extends Assertion { public boolean isTrue() { return true; } public static final TrueAssertion singleton = new TrueAssertion(); } \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/examples/Queue.java b/monitor-object/src/main/java/com/iluwatar/monitor/examples/Queue.java new file mode 100644 index 000000000..18ecba2ff --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/examples/Queue.java @@ -0,0 +1,66 @@ +package com.iluwatar.monitor.examples; + +import com.iluwatar.monitor.AbstractMonitor; +import com.iluwatar.monitor.Condition; + +/** + * FIFO Queue implementation using {@link AbstractMonitor}. + */ +public class Queue extends AbstractMonitor { + + private final int capacity = 10; + + private final Object[] queue = new Object[capacity]; + + private volatile int count = 0; + + private volatile int front = 0; + + /** Awaiting ensures: count < capacity. */ + private final Condition notFull = makeCondition(); + + /** Awaiting ensures: count > 0. */ + private final Condition notEmpty = makeCondition(); + + /** + * Method to pop the front element from queue. + * @return the top most element + */ + public Object fetch() { + enter(); + if (!(count > 0)) { + notEmpty.await(); + assert count > 0; + } + count--; + front = (front + 1) % capacity; + assert count < capacity; + notFull.signal(); + leave(); + Object value = queue[front]; + return value; + } + + /** + * Method to push an element in queue. + * @param value the element to be pushed + */ + public void deposit(Object value) { + enter(); + if (!(count < capacity)) { + notFull.await(); + assert count < capacity; + } + queue[(front + count) % capacity] = value; + count++; + assert count > 0; + notEmpty.signal(); + leave(); + } + + @Override + protected boolean invariant() { + return 0 <= count && count <= capacity && 0 <= front && front < capacity; + } + +} \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteInterface.java b/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteInterface.java new file mode 100644 index 000000000..54111ea54 --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteInterface.java @@ -0,0 +1,9 @@ +package com.iluwatar.monitor.examples; + +/** + * Monitor Example. + */ + +public interface VoteInterface { + public boolean castVoteAndWaitForResult(boolean vote); +} \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteMonitor.java b/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteMonitor.java new file mode 100644 index 000000000..a58919e60 --- /dev/null +++ b/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteMonitor.java @@ -0,0 +1,63 @@ +package com.iluwatar.monitor.examples; + +import com.iluwatar.monitor.AbstractMonitor; +import com.iluwatar.monitor.Assertion; +import com.iluwatar.monitor.Condition; +import com.iluwatar.monitor.RunnableWithResult; + +/** + * Monitor Example. + */ + +public class VoteMonitor extends AbstractMonitor implements VoteInterface { + + private final int totalVotes; + private int votesFor = 0; + private int votesAgainst = 0; + + private Condition electionDone = makeCondition(new Assertion() { + @Override + public boolean isTrue() { + return votesFor + votesAgainst == totalVotes; + } + }); + + public VoteMonitor(int n) { + assert n > 0; + this.totalVotes = n; + } + + @Override + protected boolean invariant() { + return 0 <= votesFor && 0 <= votesAgainst && votesFor + votesAgainst < totalVotes; + } + + /** + * Method to cast a vote and wait for the result. + */ + public boolean castVoteAndWaitForResult(final boolean vote) { + return doWithin(new RunnableWithResult() { + public Boolean run() { + if (vote) { + votesFor++; + } else { + votesAgainst++; + } + + electionDone.conditionalAwait(); + + // Assert: votesFor+votesAgainst == N + boolean result = votesFor > votesAgainst; + + if (!electionDone.isEmpty()) { + electionDone.signalAndLeave(); + } else { + votesFor = votesAgainst = 0; + } + // At this point the thread could be occupying + // the monitor, or not! + return result; + } + }); + } +} \ No newline at end of file diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/AssertionTest.java b/monitor-object/src/test/java/com/iluwatar/monitor/AssertionTest.java new file mode 100644 index 000000000..9f6a48372 --- /dev/null +++ b/monitor-object/src/test/java/com/iluwatar/monitor/AssertionTest.java @@ -0,0 +1,44 @@ +package com.iluwatar.monitor; + +import static org.junit.jupiter.api.Assertions.assertEquals; +import static org.junit.jupiter.api.Assertions.assertThrows; + +import org.junit.jupiter.api.Test; + +/** + * Test Cases for Assertion. + */ +public class AssertionTest { + int varX = 0; + int varY = 0; + + @Test + public void testAssertionTrue() { + Assertion a = new MyAssertion(); + assertEquals(true, a.isTrue()); + } + + @Test + public void testAssertionFalse() { + Assertion a = new MyAssertion(); + a.check(); + varX = 1; + assertEquals(false, a.isTrue()); + } + + @Test + public void testAssertionError() { + assertThrows(NullPointerException.class, () -> { + Assertion a = new MyAssertion(); + a.check(); + varX = 1; + a.check(); + }); + } + + class MyAssertion extends Assertion { + public boolean isTrue() { + return varX == varY; + } + } +} \ No newline at end of file diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/ThreadSignalTest.java b/monitor-object/src/test/java/com/iluwatar/monitor/ThreadSignalTest.java new file mode 100644 index 000000000..553f88ac5 --- /dev/null +++ b/monitor-object/src/test/java/com/iluwatar/monitor/ThreadSignalTest.java @@ -0,0 +1,43 @@ +package com.iluwatar.monitor; + +import static org.junit.jupiter.api.Assertions.assertEquals; + +import org.junit.jupiter.api.BeforeAll; +import org.junit.jupiter.api.Test; + +import com.iluwatar.monitor.examples.VoteInterface; +import com.iluwatar.monitor.examples.VoteMonitor; + +/** + * Test Case for Thread Signaling. + */ +public class ThreadSignalTest { + + private Voter v0; + private Voter v1; + private Voter v2; + + /** + * Setup method for Test Case. + */ + @BeforeAll + public void setUp() { + VoteInterface vm = new VoteMonitor(3); + v0 = new Voter0(vm); + v1 = new Voter1(vm); + v2 = new Voter2(vm); + } + + @Test + public void testVotingResult() throws InterruptedException { + v0.start(); + v1.start(); + v2.start(); + v0.join(); + v1.join(); + v2.join(); + assertEquals("Passed", v0.getTestResult()); + assertEquals("Passed", v1.getTestResult()); + assertEquals("Passed", v2.getTestResult()); + } +} \ No newline at end of file diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/Voter.java b/monitor-object/src/test/java/com/iluwatar/monitor/Voter.java new file mode 100644 index 000000000..501405a00 --- /dev/null +++ b/monitor-object/src/test/java/com/iluwatar/monitor/Voter.java @@ -0,0 +1,40 @@ +package com.iluwatar.monitor; + +import com.iluwatar.monitor.examples.VoteInterface; + +abstract class Voter extends Thread { + + private VoteInterface vm; + + private String testResult; + + public String getTestResult() { + return testResult; + } + + public void setTestResult(String testResult) { + this.testResult = testResult; + } + + Voter(VoteInterface vm) { + this.vm = vm; + } + + public void run() { + for (int i = 0; i < 100; ++i) { + boolean vote = makeVote(i); + boolean consensus = vm.castVoteAndWaitForResult(vote); + boolean expected = i % 6 == 1 || i % 6 == 2 || i % 6 == 5; + if (expected != consensus) { + System.out.println("Failed"); + setTestResult("Failed"); + System.exit(1); + } + setTestResult("Passed"); + System.out.println(i + ": " + consensus); + } + System.out.println("Done"); + } + + abstract boolean makeVote(int i); +} \ No newline at end of file diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/Voter0.java b/monitor-object/src/test/java/com/iluwatar/monitor/Voter0.java new file mode 100644 index 000000000..60d2e312b --- /dev/null +++ b/monitor-object/src/test/java/com/iluwatar/monitor/Voter0.java @@ -0,0 +1,13 @@ +package com.iluwatar.monitor; + +import com.iluwatar.monitor.examples.VoteInterface; + +class Voter0 extends Voter { + Voter0(VoteInterface vm) { + super(vm); + } + + boolean makeVote(int i) { + return i % 2 == 1; + } +} \ No newline at end of file diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/Voter1.java b/monitor-object/src/test/java/com/iluwatar/monitor/Voter1.java new file mode 100644 index 000000000..291e13745 --- /dev/null +++ b/monitor-object/src/test/java/com/iluwatar/monitor/Voter1.java @@ -0,0 +1,13 @@ +package com.iluwatar.monitor; + +import com.iluwatar.monitor.examples.VoteInterface; + +class Voter1 extends Voter { + Voter1(VoteInterface vm) { + super(vm); + } + + boolean makeVote(int i) { + return i % 3 == 2; + } +} \ No newline at end of file diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/Voter2.java b/monitor-object/src/test/java/com/iluwatar/monitor/Voter2.java new file mode 100644 index 000000000..c672b693e --- /dev/null +++ b/monitor-object/src/test/java/com/iluwatar/monitor/Voter2.java @@ -0,0 +1,13 @@ +package com.iluwatar.monitor; + +import com.iluwatar.monitor.examples.VoteInterface; + +class Voter2 extends Voter { + Voter2(VoteInterface vm) { + super(vm); + } + + boolean makeVote(int i) { + return i % 3 != 0; + } +} \ No newline at end of file diff --git a/pom.xml b/pom.xml index 741367b30..eb6575ea0 100644 --- a/pom.xml +++ b/pom.xml @@ -162,6 +162,7 @@ trampoline serverless component-object + monitor-object From d54e29051f85c6f2dbcabc9d04ac931309a0b602 Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Wed, 13 Jun 2018 02:54:09 +0530 Subject: [PATCH 04/15] #466: Fix Checkstyle Issues --- monitor-object/pom.xml | 24 +++++++ .../com/iluwatar/monitor/AbstractMonitor.java | 26 ++++++- .../java/com/iluwatar/monitor/Assertion.java | 22 ++++++ .../java/com/iluwatar/monitor/Condition.java | 22 ++++++ .../java/com/iluwatar/monitor/Monitor.java | 71 +++++++------------ .../com/iluwatar/monitor/MonitorListener.java | 25 +++++++ .../iluwatar/monitor/RunnableWithResult.java | 31 +++++++- .../java/com/iluwatar/monitor/Semaphore.java | 22 ++++++ .../com/iluwatar/monitor/TrueAssertion.java | 24 ++++++- .../com/iluwatar/monitor/examples/Queue.java | 22 ++++++ .../monitor/examples/VoteInterface.java | 24 ++++++- .../monitor/examples/VoteMonitor.java | 22 ++++++ .../com/iluwatar/monitor/AssertionTest.java | 24 ++++++- .../iluwatar/monitor/ThreadSignalTest.java | 30 ++++++-- .../test/java/com/iluwatar/monitor/Voter.java | 22 ++++++ .../java/com/iluwatar/monitor/Voter0.java | 22 ++++++ .../java/com/iluwatar/monitor/Voter1.java | 22 ++++++ .../java/com/iluwatar/monitor/Voter2.java | 22 ++++++ 18 files changed, 420 insertions(+), 57 deletions(-) diff --git a/monitor-object/pom.xml b/monitor-object/pom.xml index 011300547..d5da9ff54 100644 --- a/monitor-object/pom.xml +++ b/monitor-object/pom.xml @@ -1,4 +1,28 @@ + 4.0.0 diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/AbstractMonitor.java b/monitor-object/src/main/java/com/iluwatar/monitor/AbstractMonitor.java index dd1b512e9..922ec7e3c 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/AbstractMonitor.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/AbstractMonitor.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; import java.util.ArrayList; @@ -135,7 +157,7 @@ public abstract class AbstractMonitor { * Create a condition queue with no associated checked Assertion. */ protected Condition makeCondition() { - return makeCondition(null, TrueAssertion.singleton); + return makeCondition(null, TrueAssertion.SINGLETON); } /** @@ -150,7 +172,7 @@ public abstract class AbstractMonitor { * Create a condition queue with no associated checked Assertion. */ protected Condition makeCondition(String name) { - return makeCondition(name, TrueAssertion.singleton); + return makeCondition(name, TrueAssertion.SINGLETON); } /** Register a listener. */ diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/Assertion.java b/monitor-object/src/main/java/com/iluwatar/monitor/Assertion.java index b77586c10..c1107a50e 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/Assertion.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/Assertion.java @@ -1 +1,23 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; /** * Assertions that may be checked from time to time. */ public abstract class Assertion { private static final String DEFAULTMESSAGE = "Assertion Failure"; protected String message = DEFAULTMESSAGE; /** This method says whether the assertion is true. */ public abstract boolean isTrue(); /** Throw an AssertionError if the assertion is not true. */ public void check() { check(isTrue(), message); } /** Throw an AssertionError if the parameter is not true. */ public static void check(boolean b) { check(b, DEFAULTMESSAGE); } /** Throw an AssertionError if the boolean parameter is not true. */ public static void check(boolean b, String message) { if (!b) { throw new AssertionError(message); } } } \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/Condition.java b/monitor-object/src/main/java/com/iluwatar/monitor/Condition.java index be104770f..88d99c68f 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/Condition.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/Condition.java @@ -1 +1,23 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; /** * A condition queue. * Uses the signal and wait discipline (SW) or signal and leave (SL). * Each Condition object is associated with a single {@link Assertion} object * and a single AbstractMonitor object. To construct a condition * use the makeCondition methods from * {@link AbstractMonitor} or {@link Monitor} * Threads can wait for the assertion represented by the Assertion object to * become true by calling method await(). Threads can indicate that * the assertion has become true by calling either method signal() * (SW) or signalAndLeave() (SL). All these methods check the * assertion and the monitor's invariant as appropriate. * Threads which wait on a Condition may supply a priority. In the absence of * priority, waiting is fair -- in fact first-in last-out (FIFO). * Each of the await(), signal(), and * signalAndLeave() methods have corresponding conditional * versions, which first check the assertion before awaiting or signalling. * These are: conditionalAwait(), conditionalSignal(), * and conditionalSignalAndLeave(). * Conditions also support a {@link #count} accessor to determine the number of * threads waiting on the condition. * Condition objects are intended to be used only by the thread which occupies * the monitor which created them. */ public class Condition { private final AbstractMonitor homeMonitor; private final Assertion assertion; private final Semaphore queue; private volatile int count; private final String name; Condition(String name, AbstractMonitor homeMonitor, Assertion assertion) { this.name = name; this.homeMonitor = homeMonitor; this.assertion = assertion; this.queue = new Semaphore(0); this.count = 0; } public String getName() { return name; } /** * Just like await, but with a priority. Threads awaiting with a lesser priority * value are re-admitted to the monitor in preference to threads awaiting with a * greater priority value. When priority values are the same, the order is FIFO. * * @param priority * Lower value means more urgent. * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if the invariant is not true to start * @throws AssertionError * if the assertion is not true on return * @see #await() */ public void await(int priority) { homeMonitor.notifyCallAwait(this); Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); count += 1; Assertion.check(homeMonitor.invariant(), "Invariant of monitor " + homeMonitor.getName()); homeMonitor.occupant = null; homeMonitor.entrance.release(); queue.acquire(priority); count -= 1; homeMonitor.occupant = Thread.currentThread(); // It's not clear that the following check is needed anymore, // as there is now a check made on the signal. assertion.check(); homeMonitor.notifyReturnFromAwait(this); } /** * Wait until a condition is signalled. The thread waits outside the monitor * until the condition is signalled. * Precondition: Increasing the count by 1 must make the invariant true. This * thread is in the monitor. * Postcondition: The assertion associated with this condition queue. This * thread is in the monitor. * Note: threads are queued in a FIFO manner unless a priority is used; * cond.await() is equivalent to cond.await( Integer.MAX_VALUE * ). * * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if the invariant is not true to start * @throws AssertionError * if the assertion is not true on return */ public void await() { await(Integer.MAX_VALUE); } /** * Wait only if the condition is not already true. * * @throws AssertionError * if neither the invariant nor the assertion associated with this * object is true * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if the assertion is not true on return * @see #await() */ public void conditionalAwait() { conditionalAwait(Integer.MAX_VALUE); } /** * Just like conditionalAwait, but with a priority. * * @param priority * Lower value means more urgent. * @throws AssertionError * if neither the invariant nor the assertion associated with this * object is true * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if the assertion is not true on return * @see #conditionalAwait() * @see #await( int priority ) * */ public void conditionalAwait(int priority) { if (!assertion.isTrue()) { await(priority); } } /** * Signal this condition if there is a waiting thread. * Allows one thread that was waiting on the condition to reenter the monitor. * Consequently the signalling thread waits outside. The signalling thread is * allowed back into the monitor, once the monitor is again unoccupied. Threads * which have signalled wait with a higher than normal priority and thus are * allowed in ahead of other threads that are waiting to enter the monitor * (e.g., those waiting in {@link AbstractMonitor#enter()}). * If there is no waiting thread, then this is a no-op, but the invariant is * still checked, as it is a postcondition. * Preconditions: *
      *
    • If isEmpty(), the monitor's invariant must be true.
    • *
    • If not isEmpty(), then decreasing count() by 1 must make the proposition * associated with this condition true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: *
      *
    • The monitor's invariant. *
    • This thread is in the monitor. *
    * * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if there is a waiting thread and the assertion is false (after * decreasing the count by 1). * @throws AssertionError * if invariant is false on return. * */ public void signal() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); if (count > 0) { try { count -= 1; assertion.check(); } finally { count += 1; } homeMonitor.notifySignallerLeavesTemporarily(this); homeMonitor.notifySignallerAwakesAwaitingThread(this); homeMonitor.occupant = null; queue.release(); homeMonitor.entrance.acquire(0); // Priority 0 puts the signaller ahead of others. homeMonitor.occupant = Thread.currentThread(); homeMonitor.notifySignallerReenters(this); } Assertion.check(homeMonitor.invariant(), "Invariant of monitor " + homeMonitor.getName()); } /** * Allows one thread which was waiting on the condition to reenter the monitor. * This thread (the one calling signalAndLeave) leaves the monitor immediately. * Preconditions: *
      *
    • If isEmpty(), the monitor's invariant must be true.
    • *
    • If not isEmpty(), then decreasing count() by 1 must make the proposition * associated with this condition true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: This thread is not in the monitor. * * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if there is a waiting thread and the assertion is false (after * decreasing the count by 1). * @throws AssertionError * if there is no waiting thread and the invariant is false. * @see #signal() */ public void signalAndLeave() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); if (count > 0) { try { count -= 1; assertion.check(); } finally { count += 1; } homeMonitor.notifySignallerAwakesAwaitingThread(this); homeMonitor.occupant = null; queue.release(); } else { Assertion.check(homeMonitor.invariant(), "Invariant of monitor " + homeMonitor.getName()); homeMonitor.occupant = null; homeMonitor.entrance.release(); } homeMonitor.notifySignallerLeavesMonitor(this); } /** * Signal if there is a waiting thread, then leave the monitor. Allows one * thread which was waiting on the condition to reenter the monitor. This thread * (the one calling signalAndLeave) leaves the monitor immediately. * Preconditions: *
      *
    • If isEmpty(), the monitor's invariant must be true.
    • *
    • If not isEmpty(), then decreasing count() by 1 must make the proposition * associated with this condition true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: This thread is not in the monitor. * * @param result * A value to return. * @return The value of the result parameter. * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if there is a waiting thread and the assertion is false (after * decreasing the count by 1). * @throws AssertionError * there is no waiting thread and the invariant is false. */ public T signalAndLeave(T result) { signalAndLeave(); return result; } /** * Signal this condition if its assertion is true and there is a waiting thread. * More precisely the condition is only signalled if its assertion would be true * after the count is decreased by 1 and there is a waiting tread. * In such a case, the signalling thread waits outside. The signalling thread is * allowed back into the monitor, once the monitor is again unoccupied. Threads * which have signalled wait with a higher than normal priority and thus are * allowed in ahead of other threads that are waiting to enter the monitor * (e.g., those waiting in {@link AbstractMonitor#enter()}). * If the there are no awaiting threads, or the condition's assertion would not * be true after the count were decreased by one, this method is essentially a * no-op, although the invariant is still checked in such a case. * Preconditions: *
      *
    • If isEmpty(), the monitor's invariant must be true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: *
      *
    • The monitor's invariant. *
    • This thread is in the monitor. *
    * * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * if invariant is false on return. * @see #signal() */ public void conditionalSignal() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); if (count > 0) { boolean wouldBeTrue; count -= 1; wouldBeTrue = assertion.isTrue(); count += 1; if (wouldBeTrue) { homeMonitor.notifySignallerAwakesAwaitingThread(this); homeMonitor.notifySignallerLeavesTemporarily(this); homeMonitor.occupant = null; queue.release(); homeMonitor.entrance.acquire(); homeMonitor.occupant = Thread.currentThread(); homeMonitor.notifySignallerReenters(this); } } Assertion.check(homeMonitor.invariant(), "Invariant of monitor " + homeMonitor.getName()); } /** * Signal this condition if its assertion is true and there is a waiting thread; * leave regardless. * More precisely the condition is only signalled if the assertion would be true * after the count is decreased by 1 and there is a waiting thread. * This thread (the one calling signalAndLeave) leaves the monitor immediately. * Preconditions: *
      *
    • If isEmpty() or the assertion would be false after decreasing the count * by 1, the monitor's invariant must be true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: *
      *
    • This thread is not in the monitor. *
    * * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * there is no waiting thread and the invariant is false. * @throws AssertionError * if there is a waiting thread and the assertion is false (after * decreasing the count by 1) and the invariant is false. * @see #signalAndLeave() * @see #conditionalSignal() * */ public void conditionalSignalAndLeave() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); if (count > 0) { boolean wouldBeTrue; count -= 1; wouldBeTrue = assertion.isTrue(); count += 1; if (wouldBeTrue) { homeMonitor.notifySignallerAwakesAwaitingThread(this); homeMonitor.notifySignallerLeavesMonitor(this); homeMonitor.occupant = null; queue.release(); } else { homeMonitor.notifySignallerLeavesMonitor(this); homeMonitor.leaveWithoutATrace(); } } else { homeMonitor.notifySignallerLeavesMonitor(this); homeMonitor.leaveWithoutATrace(); } } /** * Signal this condition if its assertion is true and there is a waiting thread. * Leave regardless. More precisely the condition is only signalled if the * assertion would be true after the count is decreased by 1. * This thread (the one calling signalAndLeave) leaves the monitor immediately. * Preconditions: *
      *
    • If isEmpty() or the assertion would be false after decreasing the count * by 1, the monitor's invariant must be true.
    • *
    • This thread is in the monitor.
    • *
    * Postcondition: *
      *
    • This thread is not in the monitor. *
    * * @param result * A value to be returned. * @return The value of the result parameter. * @throws AssertionError * if the current thread is not the occupant. * @throws AssertionError * there is no waiting thread and the invariant is false. * @throws AssertionError * if there is a waiting thread and the assertion is false (after * decreasing the count by 1) and the invariant is false. * @see #conditionalSignalAndLeave() * */ public T conditionalSignalAndLeave(T result) { conditionalSignalAndLeave(); return result; } /** * Test if any thread is waiting on this condition. * * @return count() == 0 . * @throws AssertionError * if the current thread is not the occupant. */ public boolean isEmpty() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); return count == 0; } /** * How many threads are waiting on this condition. * * @return the number of Threads waiting on this condition. * @throws AssertionError * if the current thread is not the occupant. */ public int count() { Assertion.check(homeMonitor.occupant == Thread.currentThread(), "Thread is not occupant"); return count; } } \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/Monitor.java b/monitor-object/src/main/java/com/iluwatar/monitor/Monitor.java index bf2ed5915..1cd8fe590 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/Monitor.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/Monitor.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; /** @@ -9,7 +31,7 @@ public final class Monitor extends AbstractMonitor { private Assertion invariant; public Monitor() { - this(TrueAssertion.singleton); + this(TrueAssertion.SINGLETON); } public Monitor(Assertion invariant) { @@ -17,7 +39,7 @@ public final class Monitor extends AbstractMonitor { } public Monitor(String name) { - this(name, TrueAssertion.singleton); + this(name, TrueAssertion.SINGLETON); } public Monitor(String name, Assertion invariant) { @@ -29,49 +51,4 @@ public final class Monitor extends AbstractMonitor { public boolean invariant() { return invariant.isTrue(); } - - @Override - public void enter() { - super.enter(); - } - - @Override - public void leave() { - super.leave(); - } - - @Override - public T leave(T result) { - return super.leave(result); - } - - @Override - public void doWithin(Runnable runnable) { - super.doWithin(runnable); - } - - @Override - public T doWithin(RunnableWithResult runnable) { - return super.doWithin(runnable); - } - - @Override - public Condition makeCondition() { - return super.makeCondition(); - } - - @Override - public Condition makeCondition(Assertion assertion) { - return super.makeCondition(assertion); - } - - @Override - public Condition makeCondition(String name) { - return super.makeCondition(name); - } - - @Override - public Condition makeCondition(String name, Assertion assertion) { - return super.makeCondition(name, assertion); - } } \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/MonitorListener.java b/monitor-object/src/main/java/com/iluwatar/monitor/MonitorListener.java index 120e9bf35..281a4b8b6 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/MonitorListener.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/MonitorListener.java @@ -1,5 +1,30 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; +/** + * Interface for Monitor Listener which lists all methods required for a listener to monitor object + */ public interface MonitorListener { void nameThisThread(String name); diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/RunnableWithResult.java b/monitor-object/src/main/java/com/iluwatar/monitor/RunnableWithResult.java index 48b4ea06d..9466fb722 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/RunnableWithResult.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/RunnableWithResult.java @@ -1,5 +1,34 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; +/** + * Interface which contains the run method which is executed within the protection of the monitor. + * When the run method returns, if the thread still occupies the monitor, it leaves the monitor. + * Thus the signalAndLeave method may be called within the run method. + * + * @param the expected return value of the run method + */ public interface RunnableWithResult { - public T run(); + T run(); } diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/Semaphore.java b/monitor-object/src/main/java/com/iluwatar/monitor/Semaphore.java index fe45eac11..b17e4152a 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/Semaphore.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/Semaphore.java @@ -1 +1,23 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; import java.util.LinkedList; import java.util.ListIterator; /** * A FIFO semaphore. */ public class Semaphore { // Each queue element is a a single use semaphore class QueueElement { final int priority; volatile boolean enabled = false; QueueElement(int priority) { this.priority = priority; } synchronized void acquire() { while (!enabled) { try { wait(); } catch (InterruptedException e) { throw new RuntimeException("Unexpected interruption of " + "thread in monitor.Semaphore.acquire"); } } } synchronized void release() { enabled = true; notify(); } } volatile int s1; final LinkedList queue = new LinkedList(); // Invariant. All elements on the queue are in an unenabled state. /** Initialize the semaphore to a value greater or equal to 0. */ public Semaphore(int initialvalue) { Assertion.check(initialvalue >= 0); this.s1 = initialvalue; } /** * The P operation. If two threads are blocked at the same time, they will be * served in FIFO order. sem.acquire() is equivalent to acquire( * Integer.MAX_VALUE ). */ public void acquire() { acquire(Integer.MAX_VALUE); } /** * The P operation with a priority. * * @param priority * The larger the integer, the less urgent the priority. If two * thread are waiting with equal priority, they will complete acquire * in FIFO order. */ public void acquire(int priority) { QueueElement mine; synchronized (this) { if (s1 > 0) { --s1; return; } mine = new QueueElement(priority); if (priority == Integer.MAX_VALUE) { queue.add(mine); } else { ListIterator it = queue.listIterator(0); int i = 0; while (it.hasNext()) { QueueElement elem = it.next(); if (elem.priority > priority) { break; } ++i; } queue.add(i, mine); } } mine.acquire(); } /** The V operation. */ public synchronized void release() { QueueElement first = queue.poll(); if (first != null) { first.release(); } else { ++s1; } } } \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/TrueAssertion.java b/monitor-object/src/main/java/com/iluwatar/monitor/TrueAssertion.java index 82d6bb0e5..00a1e2422 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/TrueAssertion.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/TrueAssertion.java @@ -1 +1,23 @@ -package com.iluwatar.monitor; /** * An assertion that is always true. */ public class TrueAssertion extends Assertion { public boolean isTrue() { return true; } public static final TrueAssertion singleton = new TrueAssertion(); } \ No newline at end of file +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.monitor; /** * An assertion that is always true. */ public class TrueAssertion extends Assertion { public boolean isTrue() { return true; } public static final TrueAssertion SINGLETON = new TrueAssertion(); } \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/examples/Queue.java b/monitor-object/src/main/java/com/iluwatar/monitor/examples/Queue.java index 18ecba2ff..acdbc45a2 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/examples/Queue.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/examples/Queue.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor.examples; import com.iluwatar.monitor.AbstractMonitor; diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteInterface.java b/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteInterface.java index 54111ea54..bed768034 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteInterface.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteInterface.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor.examples; /** @@ -5,5 +27,5 @@ package com.iluwatar.monitor.examples; */ public interface VoteInterface { - public boolean castVoteAndWaitForResult(boolean vote); + boolean castVoteAndWaitForResult(boolean vote); } \ No newline at end of file diff --git a/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteMonitor.java b/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteMonitor.java index a58919e60..d8e888fcb 100644 --- a/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteMonitor.java +++ b/monitor-object/src/main/java/com/iluwatar/monitor/examples/VoteMonitor.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor.examples; import com.iluwatar.monitor.AbstractMonitor; diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/AssertionTest.java b/monitor-object/src/test/java/com/iluwatar/monitor/AssertionTest.java index 9f6a48372..fb8751d0f 100644 --- a/monitor-object/src/test/java/com/iluwatar/monitor/AssertionTest.java +++ b/monitor-object/src/test/java/com/iluwatar/monitor/AssertionTest.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; import static org.junit.jupiter.api.Assertions.assertEquals; @@ -28,7 +50,7 @@ public class AssertionTest { @Test public void testAssertionError() { - assertThrows(NullPointerException.class, () -> { + assertThrows(AssertionError.class, () -> { Assertion a = new MyAssertion(); a.check(); varX = 1; diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/ThreadSignalTest.java b/monitor-object/src/test/java/com/iluwatar/monitor/ThreadSignalTest.java index 553f88ac5..15ac519d8 100644 --- a/monitor-object/src/test/java/com/iluwatar/monitor/ThreadSignalTest.java +++ b/monitor-object/src/test/java/com/iluwatar/monitor/ThreadSignalTest.java @@ -1,13 +1,35 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; import static org.junit.jupiter.api.Assertions.assertEquals; -import org.junit.jupiter.api.BeforeAll; -import org.junit.jupiter.api.Test; - import com.iluwatar.monitor.examples.VoteInterface; import com.iluwatar.monitor.examples.VoteMonitor; +import org.junit.jupiter.api.BeforeEach; +import org.junit.jupiter.api.Test; + /** * Test Case for Thread Signaling. */ @@ -20,7 +42,7 @@ public class ThreadSignalTest { /** * Setup method for Test Case. */ - @BeforeAll + @BeforeEach public void setUp() { VoteInterface vm = new VoteMonitor(3); v0 = new Voter0(vm); diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/Voter.java b/monitor-object/src/test/java/com/iluwatar/monitor/Voter.java index 501405a00..549b906a5 100644 --- a/monitor-object/src/test/java/com/iluwatar/monitor/Voter.java +++ b/monitor-object/src/test/java/com/iluwatar/monitor/Voter.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; import com.iluwatar.monitor.examples.VoteInterface; diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/Voter0.java b/monitor-object/src/test/java/com/iluwatar/monitor/Voter0.java index 60d2e312b..00332dbd8 100644 --- a/monitor-object/src/test/java/com/iluwatar/monitor/Voter0.java +++ b/monitor-object/src/test/java/com/iluwatar/monitor/Voter0.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; import com.iluwatar.monitor.examples.VoteInterface; diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/Voter1.java b/monitor-object/src/test/java/com/iluwatar/monitor/Voter1.java index 291e13745..f342e37ac 100644 --- a/monitor-object/src/test/java/com/iluwatar/monitor/Voter1.java +++ b/monitor-object/src/test/java/com/iluwatar/monitor/Voter1.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; import com.iluwatar.monitor.examples.VoteInterface; diff --git a/monitor-object/src/test/java/com/iluwatar/monitor/Voter2.java b/monitor-object/src/test/java/com/iluwatar/monitor/Voter2.java index c672b693e..8975fc93b 100644 --- a/monitor-object/src/test/java/com/iluwatar/monitor/Voter2.java +++ b/monitor-object/src/test/java/com/iluwatar/monitor/Voter2.java @@ -1,3 +1,25 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ package com.iluwatar.monitor; import com.iluwatar.monitor.examples.VoteInterface; From 71f61cd40e3c22cb6e8f58f8a5a420923f20dd43 Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Wed, 13 Jun 2018 23:40:36 +0530 Subject: [PATCH 05/15] #466, #509: Added diagrams and Readme files --- component-object/README.md | 25 ++++ component-object/etc/component-object.png | Bin 0 -> 27984 bytes component-object/etc/component-object.ucls | 72 ++++++++++ monitor-object/README.md | 27 ++++ monitor-object/etc/monitor-object.png | Bin 0 -> 80512 bytes monitor-object/etc/monitor-object.ucls | 158 +++++++++++++++++++++ 6 files changed, 282 insertions(+) create mode 100644 component-object/README.md create mode 100644 component-object/etc/component-object.png create mode 100644 component-object/etc/component-object.ucls create mode 100644 monitor-object/README.md create mode 100644 monitor-object/etc/monitor-object.png create mode 100644 monitor-object/etc/monitor-object.ucls diff --git a/component-object/README.md b/component-object/README.md new file mode 100644 index 000000000..7619ed121 --- /dev/null +++ b/component-object/README.md @@ -0,0 +1,25 @@ +--- +layout: pattern +title: Component Object +folder: component-object +permalink: /patterns/component-object/ +categories: Testing +tags: + - Java + - Difficulty-Intermediate +--- + +## Intent +Web development is shifting more and more towards reusable components. Frameworks like React, Polymer, Angular etc. provide various component friendly abstractions to make front-end code-bases more maintainable. So our web applications are now full of “widgets” that have same behavior. We can use component various times on single web page or re-use it on various web pages. Therefore it is logical to create abstraction which covers functionality of single component and reuse it across end-to-end tests. + +![alt text](./etc/component-object.png "Component Object Pattern") + +## Applicability +Use the Component Object Pattern in the following situations: + +* When you have various same components on single web page and you need to test the web page +* When you have multiple web pages using same component abstractions and you need to test the web pages + +## Credits + +* [Component Object](https://lkrnac.net/blog/2016/10/component-object-pattern-example/) diff --git a/component-object/etc/component-object.png b/component-object/etc/component-object.png new file mode 100644 index 0000000000000000000000000000000000000000..22118fef3c67fe9274fd2a170135c0dd0f192b93 GIT binary patch literal 27984 zcmb@ubyVA7+AT_LtD9~cXp}0H2DN-a@a4%BawZ$p!8VCg{Kq>AXDDLil z6PTGZGv~Yatb5nZA6W}Xey=^UpZ)BYFcl?fYz#6CBqStkSs6(+B&5eeNJx)3o+874 z^QQ_xiiBiGA}cAT;hw(JVqZot?IQe^IyaOZ5G`gj|#~u^Hi$dU$;>8+3d0 z&mWM;kYI@UB3`1K{-8%lG_>0@ZbL{&@d56%SGS6YKfKNcA|c5<%`N0hOMmo3Ql~W* z@o9X2sVDGHi$eTm@t~+kNHmn+=}?ejpJfBTe|?I0Xe^F#+#~q+1_8!uLGULd$)Htr zAtBK}UMJ>c7Kgx}@fAhqJrWZB&)so=VBW&C)vT1(QhAO(o(`Kf0-^2fU zxWFLb;?lS(bL%bU1~Lp^dYu>v$sddqfrTV0uJZv_lYz~4U`(kB&F3@BO{88bUvRL| z&&T^rKcls_$rIEd`FwBLEFYL&ixH=OVcx|M`J(=iHpL;Pj4cPgNTlIMY+Oi4=q3y< zJ??cD=vZemfAkN91XP+gv9BThRW>0x2{E)iKyEZ^{&8S2n9X%=fg3+%}+y|*e4 z+)mFg*eKOK-;Fa+{P#Vb%!i^XBn<-K&)7gBevafH1h*JQsek_n+-wr)!0>sA3jBYy ziJ<%ufTfZ9tyzrkW+1NJwutWu8r55R;fNP4DHz+~|2}+`K6EA1k_z8xWnDdM*88$Q zeDR3kOrJUW%M!-*J`*;hpg9^~A34>Mk$L zQBXp+tjQ-Yy1Nti^obYm%(j|{h{a~TVuD3w)s4G8j0Q$e% zc26#_zjgomc1hdsa-(nWZn=3J;Jqhudtra~VJqINf(NBjj(NBtW&RzcYwpgyw2N$X(0y6tKaa<_YBtcYd~zx@5AZRsItKecvx(TlN9 z3af?}CNiFkylL42dWMOOnTbqHj{mVwHS5Ve$`nwGtHC@GPw~Wy!nW(F&OATO1A;q; zt3D=syz8zPyx}~{gc6Wv3poa?<{WKrbuNUu18wE9KzP(FQ!28Qx$N7v^~*2oCDUpW zc?%Mx4T{ug%(;ACB$vE$F6{^4CQmS+2DZWD1XAcfd`uVI13$N>z1ozlbKeE~i-m#y z)*WuY18KLLrtEWvKhhC>b=lW0@3-8TF~Hupv&%JbkU@PlF(aa>p4ZMHtzxROk}+giE1 z9pNx^{@YrLs+{R_`9;Kc^>T=*g3qyKe%_QNC>CU*E^u_%H&`iNp<_tMIwQBKLWoXw z1E7N8cVQy}9@09_eLM>?9|G`Z%)WKF8~gMQ^6jwMD8kfluY-El(|Rkwk9n5k?yOl` z_ziUB^G?*v?Exu&enwk|Yh>L%+_>e)~UtrVh8nN4^>PsEBxrzL)h#}J(k_FfGjjpZq^++CKty4r+(!?=k{Cwkz751}-Kpr|@ca9VJm&7i zVE*!&r1i-Bpz{2BK^mv+YOb^$V&Qq`X*$hJtG#kq&SXJh;(15E^7*u-&QQ5m=Ivm& zrD-LTmXYV?Njsw&+3P*y1dRWPq+#HmuZisTcfBhUwtm+VMncy)@cH_6SUR@j0eprH z8JZF@47by@lmE-d&DEYn8l0U$^iMms=I`=j!u@cgh0Q}gF^HPYd24g!x%RL{%+P=S zk8gpYsQPwr%f_38?B&9jN-1`oJsN{~AGJ8)QA&Lg35uFZRb@sqNn1=Aa-YAlThI`} z>)E5pSI@R%5s#zCs5`sQSae8&Pd-xO!_V4ZGT@X-0Um}#9~=J`t&%`^PwdOVxj;nf z3q{%{ed;QMh=}+dAnQH1cfU@)-MU?l{1#jat@T{MCmN%L4-f!*|C?CZggec^%}i!I zv@#hyz}+&%o{EFmE*Zk+%9fZBK()2y2M{OG{Th5+ZR56OAj@0tMOfo3X$`W0!}N$) z5oY>l`YLyYRfX53GfT=(sHa4v)PStKA^8%hvF0mC4vIQDaoVr6lItl856n}*!Lpb+ z36|{k9P#wfPmeFhF5jUs!zhlK(4De;9+wXhlj@|C8nZ&#vTs&dBeX zi&PP=K7juS0wVZJRx9kZtZz+7c%Ei?FzQK88EOBv;Rx@h%?3*1YnH<{KxwoZp!c5gKM20EW2bOE*p%o zq{i4VDkMI+&V^j~;^7>Mr?1{=cOFBfLIeo0_Z?a&)Y*iWSrP;S5}I7R$HhzD!Pe{@ zTO`JPGT@%)3P|pb&j0zuG8hMC zSAzU1#^@#h4L59HQD!e6S^FQ`YcMt!xIqB-;qSZEW@m4YVq;mQvo4ocN8GdsvpAa8 zGl)Y;ZP;acWH@NS4~>mdU__Lsu?PTL&w zHy5}RjdvyT(LPmjz07DO#Nh+^_F`unQIC~y=bU2d1_1%;-q2v;cS$+s=qvT9wctgr zdv*e9!T{?7BF?d~{Yf}(NH`bUCg*6nIcR+H~>7^{*#^&uqE+&$?{ z@QfWe!ow7ROSaffrgX4Dd~~h=4ekpsNSrzx`~*6$=|2vB*wJF%GDcD9HM5~@G>-bT2aa(4w| zr6z|t^__Ow-MN>^%`V%k+U5YQx{cctxotYU!YzG!Os@gSWD8P+;D}qtlhfKKNJtLP zKzl~scbee|TuNnc|8VUFS}VPuVktA%wVT4M=cHrDqvK9Qk!%pSWK(ik-?utQ!lyk( z=_{8>F4ykMKRhSLcF>KVikS8qsfqvRG~r(DH$sV4;dS1rEaJ1x)OMW)J-hQ*@oT$o zsnoygGC8nw7kagKogB+TgDy8AX|53n&F^5&JZb-S1k{tP*{FhqTmTx#4hHN4K+Jyn zKGz7a;Lfv|Y-BqJh!69V-!Nr-rj^OVbYexkagY*d2>nym5vYY)&k>y2!D*CoD8as| z_KCMExwE(2RuAl@p42@EF!!IbqLMEtT&&=FyDuHIwQd2k?tZ$p zvfUD8iClLrxXpVdoonTTB^qQPhA|s;N08Vkt>wQsx+U^4+f`d(&*NG;^EYk*vvkHM zVRkoweijpu);BWrGA4_{I(rlIhxlkU3Sh}E1r||taRX^JvhwdFKY68LXM)|9eaZEd z9pm^%NAw!Fg^(}+TE@YC;c8GU&2ZL;&32x%eEI!%nO^7Cp|Bbx!Mz^CC?TzcBoXj-5? zXnr)o7irZWy6|~P8lSBv%Rc9Hh0V`9O_5ak-K7Y#+zRnsCSu^uWCVdW(jSuBJD91G z<0}FON7Dw8g$w$jav7WX10qJRbJ}ej>6N5}&4eZW;`^fqZv9W`Ipxiv=_9r*a zDzb4k)XHx*UqgBiw}@}{^ca<%+neX@9OxLy16PPys_PRSld+Fgholfrw+^;(&LZ zVHeWI0jbV^!Ls00RfpDK5c)$7!^30JdJ=YGuk#}beumE;trP!z0AKX%F7gX!q{L2A z>yHm;wbMq?(|gO8YKhe@6ufVVCj{TaCZ4Y+zj;_Q+wgq6WpIR1owtiSm3ZNgJ4$`lZO8v&RXMd6>HE$qSsEZ5{hK#TNjScVk7lr#Dsc4`xRv2kCwP z?50}`J5$p$8}u|nL~1GVl@gT}B(^sKJ;UJTr((=;aA9`J!@#a+3-r3r9;|2K^tR*7 zD4&mcsl7X)+g>xJg*2e_)8Mg=-j5xH7#GcXoEin(7{`)4;g(CeldBCh0ZDE8p7Brb zA3X=MBnA^sSxo8G(<#OoOQzFHy6dEUu?$A6v4vM$Uh?7Wn*#>{m=EwTR~2$?dIXA7 zxCY9RT$Z19;C`~HxvC&1(sBvKrR4}Bs#b}>n9}+XrD{}!g;JDKSv;Or&CRjY7@i~$ z#`njmr7=or?|o)M?N8K*CiOu$d_ou(yy|*bOB7Tp9}JdMMSNB^qE z^e%z@u)FL$V2Q_?=SuQydI-DcP6@$0l-J0Uv+kBTf5^(fj?SVZ>Gf8!fKu-`pnji5 zy!1nfLXokm8^$3bxxksNf7W|LzP=Hq!0x%bX_ZPAi5D?{7>!2UX%Bl-3Dj<7$Fm$K z>V~$A1(fjlIkJWT3D%U#@sodMSqj^XUr^Xb1m>lM(e(v?H2$8^))d|7j&fJQD` zpufL|<0V0@Uqf1ovWcSLD`D20#XsqeFn5e`_y2V$4@g&3`kBbflckUM^(q#p5_&=V zBQPeX(0wV2^B2zV(J1~OgID|n;Of+1RC$uD>Wap&LHIMiF*+w4UH{`*1=VI9w@nki zyUb!{FASbNWcAQ%y4Om$djbl7Llt82u}&nGmZNp+`fqxlN$h zkUjGy>5D~tS}qBG(GsPnLJ{heE*wRdaxMnzXrF;`Y(VNKo`UAG797@lA|9M@L=XN7 zY>!ci(n-wJx?Dm-L2QKy?{hi_^rvR1lG*?6TigNbdZRu!(_yN|hq5suJucMm-1zHQ zihP)l*+MR$iPYv=CmVEYHQGzdjNpjveZrQE5{-BEg;<>AeR)NHE7rQVh$oCbP^yZ2 zwJW~pFPNdZ z-pU~HJvErW8EZSe)e2;lC1s^SzIRR+%pJYuwDM;q1H*o~zgpxBa%ftx%8_rrqT@~FKroB$8A|ITM{gu^61UW>&$@4ei7XTzqiS*RZoCSDlSFOpz){&N% zkK#|BXx38Ve1EF`b=17#=Lo^vCozCd-6+Bvs>CT-o^5BbRsydRg~(sH+NgxM52GJ{ ztzH}9dydna^eCgY!R5FAxnDU>-!3f_*&la=l+M@Cw@1lU6q5P_w>o1_yl&kY^9v2r zw|6$QYHymhm4~l5N1eT!yGnQwhcih8A3>kcts3-bga+||sF3wONCtF$T>VfPHRC&m zM%65%7E;KU&SCDAtlr#@ELm~K0X*-7*T-CX9WWW_%P6ex!UX7~WlIJ|rP8;Bu|fi^ z_|f5BfrOa)zXAuXZRni)k@^IM-|qC%fPwolc`J{;N?HQLiD`GQms zpL5Gq1Nsy8BxfA39fCfFXL(wp+Ld@_vVZQK9Eu1%gE`3eT*9dW!s>p8tY809-fcTN zzU>=XqxKk13E7#|W_{1Y&Z(E5Q}vd%BJd{`b~(-ES?A{hfOL<$!$!RZ+>6A*C`SyLn1sJoL zP5C@j00h8YpMMg~9O6Qs4J6anTXT``zTy;x+YJ7?$^!)TVnpodBZ=c_aw?zs)#$~o zH&kW`E@VuuAx0XUu`!Vw7`;7^2C+d$)7=ns0gMP3i}w5>O`i|xGo~loatb3kpZ^0w z-r3-OMDUZ_Y3mqB!sl2+HaI>vP_qF&LNr(+tiLDAotOw~*^EuIEVrmAh7M%d$`;0- zQSiRxinHu{0~TWQ3WfpV)v1^WQXu^~&9 zGh!G1a!Y#QMC+X1aB&amj|{^`8elFX^AW^bG$_r4)zJJq5~{}p?{oie`#0vs5JarZ zag!Jg@9$KsE_=(O+Rb$Ftc=K^LBY7p|D|MmSdy6OP1`rsA#$0fZ0*CdPkiFSw{h>f>W`jucCu0H(+=P6W$@$6* z@4eC=r~{ecj6;JZJ-hOy${mCCHY2%;h$tOedLe)&nfJpTZZw=p|y)shGB>QI*vq(IE_$8 zuNHtb)!ZhtCDrxtAbMA%D92YYq z9JLWZN){iu?=(l+?>OjXr?THgZItv~$s*J3!s!>~IlA*WX%OKD4bKgB&TAIWje%~o zTm}rU!BdD8s#@!~%$bP1DlYK z`HKR`Ca>^Y!UVIWv}9IZ4T!(iJG=1fOh( zp!pn(h5ykIdv*K&&=5O?Xo#7PHRp>A6ad%XU=oGb=DI|9cr(I&T1csP+g;fqST`LBHJqYv+W}4rnpsI6tHp z8_K{8pAtx*$phZ-!;J!YthluiGhEC?h%}yzj-%YEH5%RSxm9}Gf_q-ikV9^ks#&V* zrS#AbfGk&M?LP`#B7CZb=5zV-hyN<4XSH>xz4#XT5%ee-^Peesun5@8%-#tRP?1Bm zaXe7Xq-xkaBR3)OCeb(V>DR^W?{RYpeM|SE>^RJ#=!*+rt3!f*0X4IaPcdK z!uPC2JIsD7aiy}${dK)l>>ji_lhj$oZN=P{C=LT9-VYO&+ZvxOLVNUkc6@%Z41d+4 zqcrZjr>U#l(nB;boeSyG`DS$eY|}wbx-;PkkgiUo#eQ<&5O?4>BCk4onDAU$sIUxU z@IH**xE6iqkImXgVGm*6OqOLfn7d8ushqk!|J3SvE)hdPd>1~j7)lH%RZ0KsV(~^-as&ujZ;?QCm6%x? zb@Om#B^U!Fa2any+uBxYI1KM@Ieav(y&R62otys1N^RAn@KxI@vNfhXK zD_)Q&1i5RX+`*10K{N(UYa`8p_Hh8`lMALc9?PQ1^v=Ory`GG+Q6kL?@?4Hy13Xb` zL~ZjGfg_SkpitCV21Ee=-w}!evKvmm{Rq;V_%Fb2Zcc{8HhrsUD@O-DFvg(1Eu&=4 zFq8SSVw}fgTSp4@tjOz3a94f=F1oK@{e=h+dr(CyaJQduwfDBg@96kKIuqP>(x;h} zE&fv#IhS`JIJ|yVz&~SLH{Wp$QkQNjA8ufStH+rSOg#ETm1eE|m{SxHAC+sZ&>ak1z>U67aX02mw@PPx9>Ai5ICkT-IUvSJg z)X?i!-rmftsyD3D%=NSA-(&)cG3oTl=dNzSZ#r;#dr}-tPl#O7b*|tWCW6?oYzfr+ zTKa!LALZ`@!VXWhkP1{(GtQgfKxEy#?_?LlF5DotB2eKpGCV!Sem5NH5-}0uflO^& zIEnpq5iQ?WAMVSz6xpmu?*BjJ@XD}ryM`t3u?7{9ZS*(;V$NltPZ*EA{(?pTL`z`# zvT5DV3QsuzjItM%mpPw56YYnR;TNQ`u{{(oZa;^lES{@HIWL&kq2`4>bVskyfQ zAu#z53v8GxK?%<8bz|)8Oqvh)epO>*^1W?5AH2fE{fO=~1&&zX8aa{uljWhcQ^+`h zULHMRNSGuc3JIkM*YpX=0~}Zi>s3y?DQ_VyAl;|TDvlM%qSM{wFJ%E3C|dpX#)Ki4 zJsy57`L_Z-=I_`X%p@$Dt-Yx7z1m1+bvS_*+xPXdc0Vez#36`{TAR9CJtM;72B0NZ z+iS;J4x%kQz3UG&w$^_G8{Y0tHH35ttzxwOc4(RH&OVPVRoHy2v^svEi&^Z=DC`%p zMOm}Eg$2f}l9QQy7SJ5Wsg)s78tin?{OaaCMI8Q51+yz)x^l1vvvLk~q!h#r1y+fiV}oJ`M>GEkm~|lr{OLKA@cF&QCT!hA<(64=TI;kxW}Q$vTFZ7o3Eb_ z|Kot27G+dTv+)_m@g&5%c#@w!kCCB4#(R?xc4NZk!wHftdts**@~Rw^<7lc$+H~%A zDun|}!uPRZB1?JkgK~qd1eBrz&X43vsYxh+iaOa&_q9V`2)U%4&g+fp2=2yC)b6s@ zC^y__g0q}?9noESx}DO}=_wIG7LAmSlliBP3sOGdt8(xdphC_hrV%RDky>0@4V5w% zN9jdAI{d}_E44Fv>gcev)rBddR(XWHK%$}qSfdUti;rbrHtfnSXR)T$*j!k>WVc#x zrH3;uM0S=Lpbi^-rRey9>-Plk&OuHPNES}eAsHh*P(T@ZSA4JXmENc8h(ZQM$R`Le zzhdPLMYmiusFT1v$5&WdonxH|NW&k61h!EyksXRY$@&KuvHK{7XGmib0PHtr?ZuV<%pQ z7Jc%dok?jjRlWi>g?3`H|yDDW&wD;io{8(#My)h-&) zF4Fg$;MWAK#V6F#Lspu6)vpwRm(V$oAT0p>a(_h<?8QEhw6-Hj_{V|9l# zKC&Nc8f#PV=n{f{IL9B)lj1Ti%N$=+LT@OI2F$(Bb-@HUYyLcxq)h8fp0YtHb)@4b znj$jZq!MzoD>&<&(=`!?_zQ72uo`2R4oU3(O&8``$W1P!T8Pl|7)eH3aulYjy{IiD zndqybmEFj+X-rCYl%z~o94R6%FqcP(3h9ch&)Lf~CF%_;&>2Vk?u?#ZMyZ?sBeO>vpvwG+k^DFvcBCqxFiuB0GY46q6ivQ{I*V$zn!vQK1ai+$cXl z&nJjf$V4Lo-cn%oZ6tfgvD!y-jko<=8DO84rQossVDo`Krt2J3=nneKZ~_ThVhz=; z45Zf47A8;5{`I|aDuL@bLILIV3{k@YX3}6-hVkN~#&e9Gc`gb8MVc=$j2JRMfu1#~A77iDFK7=>KH>9kL)}iXYew$hOp~hs=L1(;4hsOda`vCdzY`Avz)lL}Nm9=0 zPqUH;kwc1JwdT@M`W`hMW-R4IH%{3=CN?)DA$7LDCWq9=E}wwq&E5un86F1gl-hK_ zBiQ4r>gt0@vzVseaOv2<54@ha`J)QH9*U-M1wY#H9o4g>>@xOoG0OD_if-+pj2k(Qcec%sUjJAZZOaqus8limT%df#u*a_ z%O3`)U1(VXB?MY4HS6mh{I!CWriEjSD@jjG18q&1L&RdGuR3m21S0&fyUt&<4s^15 zjbn4c2hVef4~P`@f6;pywt{Q1J}GgteNm98PThG)!f8xVh#H!iA~MvP?PO6hsvY2c zyaA?sFEGLbXS9ecYs4wwESsXkSj0ed01fF6c;{r2V~EHKop;e@Wr17r&u{HIIDTA^ z3O9JEs}`KKqX(}s0Agd90vh-IDnyS%R9+OqMxZF7kkv7G+oDS^y`q|?dBG-VQbz3m z4fARJeiOUHl&$-K*W6Kwc8hh`4(ZbZxG?>J8bp$K%-DewHO6w%&#Le612vF+P}bzl zn>PZ*X}X#HtE;P9Mt7IiwUu*52G8`LBO)1GkMz(w(X1qEaVF+yIUZhA3~C-X<(XZP z^~Ox*F;rTY%~@<8Dc*eSiuG7<+1n+;KDbZUnaUpfq;7)CUrY)vr=u{}zWeGRUoS{v zt@9S%ccZ?SD|WKH-k0x{&hcRkNK7^@zE?Op4MFo?#E;2f=G0^s>sDnF9ej2LzyrX? zi2O=c8Zso48{q2~-^2gWGbhU#H={^W3VT~hELJz6o~VA(`JO?56|Md@rh%8koHh?~NQJ*Mn_43P=mxi!@$I*Qh z(cZ(+HY+Ur-qNzrN3we;PkQFlkB3f}JWBda<#tAGdP_;&w<6)^U4VT;>ft!YZwQsI>>xnSi+M$aZ- zLEH;{WlPPs%WgWn-RVM=iMQs{w9*F}N|@S{)TmWe4NjR$jEWLdkK2p2nI8XQxNstenVadG9;}=qv4*-EH8Kp8o@$UfZ@HRkdxkOmIQHhR9Aw2n7QddRE9%G*Kz%PwoVMbTvVO7%QHI0@>GN{nl>qA- zM2puJuEvp|NX)z1dF>y|8)b0k_RVBJ#EpGdDwxHHeo(c1u=bj231YrMNY{#+><4{uYDID(FV~bPSM6-LE z#`o&zxC&H!>#hAxe$SAsguyu*4SC`@HDRPM1lHlKJ+bU zW`|;D2d45{hS6sb9p)(V>h=XC;kg`hmEiY1f0cj^1K8tO9^*XN%qDvUPA0C6c^82D z7MI-oyo1c9cE*@qUQZnUWg&&OgVPH~(_D>;g!ipds3?RnQ6RuuDVx8a29_$#(#M82 z$g*YHIXul02U&cwLYq=HUfIKjZ&Pe8<}tm73CT*7()xwFLNOTyKHAbT=X72dGzyNL z4_R=<>pzuqpR_9RREk1bPiE|bu=Y^+VP3eFcw7_|zcNR|zC7&fSp)aT+&vAMGLj9D zq{URmx$`r+)?Rb6d)8oP|LvmKCR)U8=U|Qf?IrdpiRu@!+P0iUG35F2r6x1MU)Hl) z@Rntlhu7N_>;~-vHo477iSIKt(7F#bUkQcQiGS^geh#kQqid~O+L`@~Y)m|vRkJHG zjob6mqg;8C>se(=Z#RER<#V@?k7*Vu$5Lis`4>t0{ano~QD?o!H?P#xGCO#^LQ4B@ zM~LQkzj=?yOd&dTe1I`lzI;!Uw^v#T8&nI&3Pj==>$$v2UxfO9gJsEu8oDwK^&xD; zO(YgB>A9}G@OG5#XeN336#`zI3mG@i50MPN-oq`XJUP3$9}nP|7Wx6A{meBt9G9s@Uul;pgcj* zZu1I#HS{FF*z4$51MtZQicQ1UV*n6mv?f+7?&`KZ9&kECfI(GE7`CYVN2A%xZLHqg z{Atjg###+-7xcHoPB|yq5u(b?)Y8t*_f%Dk0y#SgO8($qv;$*RzRT>-<;{ycsjOmH z9`B{a`8ke9)tAjs@-(sCeuae4HU>hYg?1E$>lZlVj)Ipz58Jet4Cw{vyyYB| z;M|;^2XqK;lWk-`|Bo!|TsGAkrx6`H;02S2oF3(Kyx(|0FRdT5Vsx6f8=L$>;t(Ex zEVO>HdWEeut1w}g9uHoj*0X&AubA{%ujR0oPs-sUeUD#3gHMgVWT5-P0rlsGVZhgY z6WFl(*YjC%NF8gr3H>ikLYWU)Y68t%%1Kc3Y(sM`$YUy%Y`EZT5b*b7mn$mEiPMyM z3Mw31+QYGBBXiDfP;WOqL-RVe^M{I{rSG5lH@$ha$_03tri(6E07@5A!*fFBQtB2(re_}R|0 zg5kQ}j4%8w0(XQuC;*sc3hVC|Be`n$O9SmXcQyxIB~rP#<)%PUx_b6c!^u%iB(3Vo z*67h;HSt|Lf36L|r9eYxxa6MFYdn|FiZLQRrSj?$jQ^RxrTsFXl$v?V=!E5wgoZ7_ zR_=rtmHR4g?Oam&5oxV?YHJ;^oz@D0tW#2ET-AqrhNePVn@)20s^PM|me)&T0q@YY zQ&8X-%1CL1NJV6(tvkeX&y*FvM8I9_O+z&2(cy^E@jGID3$rE>FuD&kUokzkeCnfH zN+{?RKkonss>buFCZp+`N6cp9lH$qwQU@b$)l-xjr-%OhM zG8;G24|IegWyTG)m;J1H(<0<}+kDCSNA@saR>8++iq!Sb=h;Y6xM-Q&ISJ`*_EIHX z=ZnY1a>3+cweWL2a%b`H&t7+GzubKHbIsB+g&IrRXmnJ_{*L+hS0XC`JDt*YR>|W z@P&CRy|h8=TiE*3ExtZlPs3YD!MJY9>aU!b%X!Lc;wp=4E6Qpy&hTCo*#ZXXzvydj zxUkK9EG4>%R9lj@tOTT+bdHfyJ}zeH9%o7-m#nd1*`stIuC)~$>L+s6G$3?3Y37lc zCFoYMM~xBtto@2+E?m7($>%U3>)Y|Lyx-lKAN9Wk0s8zfWN-+~D)ehl{@VIe(D(;J z)|l?HZYDgOZbc`lN{yGqIY1WdqsxglLyETZ#fXlzJn5M5B|$+!x;_LzJi~pO`oj0D zc|NR=EwkQz5i;-F?0$K5x z&U$E`=t5s>(V0Q=<64%VFO|qkW0ufDW1+I{l_IL-^O6G-xUtAD&cfGei2Cd&Lh-5~ z1sTMa1a$tEkLAxB2@=?jwLAN^fW0G6)L0)HU)2OS`A81W3Gu8X@RFs~=SnG^k9HdA z&>XE)6L~}Q?UudY)eOtryW_Rf?Ww$vc9M5U2tlnNJOG63vxX^s+Lx+Kq5O#k63lVEyEFs8P$=ddbf0|qBMdRe|`AusKC_fk6skG%hB6afhIx(ZNS zlnKz~Vt92N|CU!nYJAnvr_EuT_52t0?LKVJ_bflf@RHZ>h__Bt3$vESn$En4>KD91 zF$iwffT6yALm`wLhPe9Xvq4PlI?aXBs9UyvgC2h2U{E!vB+R8B z;0$~R<6{0r3okWTJ{LKp>kz$Oh=va7mfI2gKKl8rUR%?Nh^(UXwN!?7Mu-QR0pb?D zqb@iC7o8n6{s-TXTfAK3xuJ2}w5mH5bmbost6uHgd2zF8*`VM=-LWi-!A2|+4gn@` zbVYCZIs|K?mm(4?!f`k5cyjc`f&O_5TcpBU2YH=Dv7~QZavmSR%3 zR_BZIL~kT(Yg zMYSF_o3Uf<1z_PdcahEkX3FpgK19uYGP>npwXlN!cDDX^R`dQkZ@T@7Owmx>{<|*j z7bT#qA5<{QUog$DVetY|A>P~2v1&)CK>eqj&5RV1a*pL?V`Ylid{g#m+3()Zxzx>j z7;#RGeMZpA7IlMPvCMLU@sxum{VaC_b+vC3ugfsbDtydU{6cKX#w23~ZNASeRE!hY z@N#5%=Ob6hERT7z2TOl<`QG)~GvPFOUzy^9|9Gk#1l&lc^ks|cQcK};U^`kzM2pL1j&)kibrzpJRE&VG)po@xOXJKKjlX) zP7XId{qGktIvqg~5-OG#o$;w}1DDtil?TpkJS2nP^I&lf^(X7{mt5~q4`Ps)O8y1T zmWk8JyDJ9%&xOPek0x~r_;^OL>&pkZj>To;CL^m5_#Kv8?2uoUk%xp0xttvxZA}}L zF2iV0R!X#9-qR+O=QX$=Gggg_puwQD&9G(NS{LlEV6u8T&zDDS8Wo`G&Us)fepKZv za8Je89mmb)w-h7W7>%kENtwlr4UGKOI@zVDp#)-+&rp|GNg?herO2*(YG+A5_V-hb znoMvbOVfZh?OoiC#g$0`Wn-a% zc!gx!RsFoinUfUuk?Jp%dW(4Xc+fhp-*kr6d(!pJeyRd3sMm-+*3Uzb`DL$8bIy&- z;4F_S9FNoFRVbpr&`Wt!#Ml5;oz@s&vrTmL#eBx}v5M9@vhw9Tq2Jf};>E=7=L5Cf8xh{we?$sh_ZQ=rA{tr;$G&-Z_?P#5sm* zv1p~)v;dVMQ57)7lW+OE`dh*69|l>UPR4ZlpA7)&GEyorWZ^5lSRdIC=mJ9>X1{rF zJvy;3LlQ;#7hs>wfTCKVWYOyBcuTFN&kSmmy2O(7;EZ$j*47ad!mmRALp*B;*`7Mu ze1ydIc+uR(@_MG@0c~SxRkUQ~$s0iRJ)Dhzjp6(xAM0B?CMcUG(!1t&n6?3I`{t`pmsC)KSb;Q^QU0z#D|zW zcgf#Z=n(4C`+HvqDGMAj87fuHQHRZg)OHwN@B9qxc&uL23AJ~TjIW)ulr6{Rt3<`^ z089vqy&^IHzgqjwu%@0ksRNRbZGBO+Z|=pZE`C|yvBKxk5= z_ZkRIsnUCI(tD(L@T`Ek_x{d)?!C`FhhK~QNakE~&N0Ru<9**@T?&7^`A&Q29*U+) zDMxbnU2BMLevdX+br>N5P$4+S)tssCG!puKnO@U+S+%n~dg(-&V@bHLN_A3wA8s9} z=#-c|pA6l;sIgVfTEwQ|z<<%)G9cV2Yf?6onNgP_pY&(tbbY{hVDo8vke~(~;&DwX zmq^wImI%8|Dm|5Q4gSV;q<*Xgon006%Mz4^J+V^V1!7ILe_&W?)`nuN!H(TIX;FDE zA|bFYzFTy!Gf%F!TSVlj2RU}Lny#RjZiCT$$Rug*r@Z#}csQbuFky-a2;ov4M{Mbx zpvZL^4i@sy9-eyG&^@RXYDF$n32}KP~=RU`|1NC59)wg(-n!LI?FiPY-)I`6pdpa5yG+Q>6dp>(k*#CnJ$3w7TSVkD8Y$R3#bf?oNh!|C*-$E0nk3 zL&OBHO07lxkUSsdjp7f^PwXrpMt4B67em!z7NQGxX>IS`JWc?hB@jHoQw9l&Iks;s zX5uoY!(*xG&QBp_ z2i~jiFjHtq3s*O-y4O*({_)|-k_TaYwC!Y7S5Z_2UA#Clst%X%GrGR&>V@pd(oN%* zMew8GHi63!*{FnVzD8V!J@4xJa$U~)mZ*lJAINMQx10KWJIX;jM1q@FoUuf7Bz z!AaeulDs#R#(Fjn!*)oEyB;^k&5Jozxbi69w~cPgr5~QgK>2T4Hg$*{&z^#neoQ`q zpN6oEThA#quG@VmxKQzPW|?C6aP$=!yJ7Za;z*o>=R4|Sp7VCrFJO!1%dn49UpRBZ z>YP#r0^)np(ekS8%DUdO3H`b=lEYa*?c16t)+TDvJo`zs^DJ%4-sf5CVK{{+PkP0b z2hv$4L(W{vZbbQYR*rHuFB90|>WMy&Om1h}-`1#srErM^nX>WA>#8`47UtDWIO>Mc zOF~bRq;?^-eG>ekL^QcJdJnM@06y)+KH*P`r*s>{aaz{k$KQirlp((H!SOg9RPC~g zUFayLbEMSiP4Jp3EylaKeV>mhlTRnyk)|Mf)g^<$o?(NX{snOdR_NEglVd7$>ebDu z4*hW+a0H=JXzn+cpXSyqpqTn)-oP?i^t9q@u?8sZR>@9QyE(@sN1ux5Ad9o5%q8nC z@_qVtL`y-*&6hC^*5wTn;_7h7TEz4wIliTopf3%d0#t>>Lj5V;egk2>VGkJ zZ|Yr)bvC>4%ol#C4PQ_9}9`w`h6yg&+<$**yXJn%TQExN5#@Fb}+&Eos}Om;nwiHQqv8 ztwdTEPwfx!aS~W^hg9ri=^bQSk7hR zcZSz8&#Bgs^)6xFaO&MC>Zz|T2P$<~JKm}h@fvyKq&mBw+H}ENo1Bhlkp593&F1Pn z_}mg0_+Ve_nfPGFLiC;-y3Go4W`3V3RkE1r@vNF3FBw06>?;kO@W8ch6zi}3auDWU zq@&;}Z(yWhV#;%2rkB$>1g1T-{>7{OgS1fE#_KEPBFoie(Y~NAfSKn<4?!%x?&rDr zL|`;Xf`uH>w(VWWM3d-p5J;l4_<0t#^}v`v6cd8*De_~={5QMFF#yi(Oen;rUnmZy zt$tU=)k%o{UgWfuWUfoggxSgzA%*}H;e=%ziN^^r5=VGgwp@BJC|u9+0RY@v4$zFx zohnDcEuE=^3wId>13pR{Ys?kNU?!nu0H^^i{o&JKa)MU@&-+{a=dWV_8P(vIT*-eh zB!9EbAYS&YABhR%Qe|MJDW!v(Gkw+(AXu=)j*@4P$7Kuy0a)|h3JO&?U`pd?Vs zDh|x^fijij3)bNBYkyMyC}8bk=J*kX<=V@F(vEPOS&KAk<2C(SmwM!=neOa7qP2*- z%-4AhgMd4uNS%dDm~e#xEU-3jhu$sOeu)&rM=Us{hD&wZ>UH*^)s2Mr$A)8+6A9JfB*qn67U2midOgT74d#mC7pN6iLt<(+G^wAFn82=H;>aP^t1fy0TJf&Ph5h02cmxBg*^l8ol&w=pGT zm6H%=rQ_6B)g&)Uga9pp|0oIXLFYMbnX~QdUq$3dnu?i2NhCsLnhqwGC?<1h4+gD; zp(@Kte^c;hxNoOB$m>bA94* zJF0{FJq)p!SBpy7xKz?(GCy%d?B+`A*y>K-CCe>^jP=-WK5>qpsBt+wW>P97z*!6X zF_#~2Y|&jl9y4;M-Tk|?&<}9QW}3DAcTQ&y;r?=%HwUCQ8N)vmcw|on*(mjL=zGJ! zkzW1r*_CJOM{jOKz`i%?6`-U1Vv1HEcduOWU86^+@U}5A&4fr<`fyd(!ret7e^?d_->72C45tT&yi{@JZPNOv`^~&CZHZM zBu-J&RY1QnWfvx8nRLn*FfN-S&uzC>rB{9I*sQ&R^usTfjnzTMI`_`Fk%$%SeQU0g zjvsQ{|GeJ|kCn}BOM;I0E53(iOpdr@SQQCcUsmr}Q>62JR-KJt@z`^qDQI7gfSBbh zjILSZVph|eB%w<&zX$78t1?u$k+8r^@2C8-kFuLZq~-TU`7gn*-)5m?4XIRm$*0|n z6x*ZdtyK|dnIM*GFBQOyKzuJPMF<{GmFKzptKP8Hn{Q+=gP{a-7$OS|w^>YfAY&xu zlLe1G-l6QR8{(sAB$#0XoC7J3H5%80L_X+KS@C|c3^szc)dhx7^p zs{dMynkx}}a9G_=*Dz@Hz~qjy6=Vaazfup{V{JiL~5WFVe!3DmNb$V+8^{jJHy~0JOajz zDZ9-Fet-%8$hpfD-K{Gx@-=V8(pYnV_bbV2AmGObZyX*vHpQ2)Ug_bpOe` znL|Wex;B+Oj!1JG z$9V6mVjA?UV7fz}PzntRftrzGR<400A$*}{iX^pH%ofk1!sWo^$n-vU#Eb7f8eVQi z9Z@o)E(g70Ja+eW@e!!}>G?UON<(hUbt(Z06pDcFBxCM#A_5Soa=s}vkfoKqGP#Q| z93uP@W5xNcdW<9f66%-^xo4FNlszNQ7_Zssw=$*nD#&R;4{Yir8#|O2ir5)278+y@ z6rUK*kamB8;<5jzj{VaO{+}`j03GF@ItOP3n@yDQ8ENJDEmAHhg91T59u<&9_`CKX zpsjEw%=B9k=J_44#t()1Rozxqt9BzVv{FBHQ!>A(l8Q-Ht$um?N5)THCmUf86YFV2Z_dQF*8f~e$ ziQvph4H4m0r(w>5y28=F#6fN4)g!!&38YpEP* z)pWK2+Eo29rmjQ6RcIX`d9XK{3X|^XymyDe{pe}Gbar&&T%SLZS34e(QqT#D${~pp zG*aoTvLW0lj1fN9bnE*d_I_&0g)P);9?Pr0#NK(3}F`&DgG@}L0KlEG1j@gy>F$oDda&^#~)r*r8 zyQb-&iW)S&ac5?&lE*;xL7z!ZN6zkBEyY`*MP(5JZ|+0W?(J|2x>=XWA)E)%`UH& zjP$J;)yfN*rQ0<6*CTqLr(B31ub)(H+bJg}Q$cEhFQ2J}0{3F;>a{*eWc((4<#3Of zq->_pw2myjIoGaLrbxQC{w?8$4?YBxuaw=Xa=YzH9rt)cXrEAaielsd4J&3)C=b5TA90h+&j*jZ2<_7vdP;d79m z{P&!_s$_SH_@#`tzr)#Bq*nUW6jPvMSHm{#a_t+Fp?40m@?mBVRCQ`gQ4KkWgd#>Y zGfz`Nvqb3p_Sh6g{ z+85CV0uB_GfaZD_HbJ7*V*eGkfjKTlNa}J1`7%y=Y^vtW2Zm%z4{bED}`qfX#QOZu? zlpCI{$JbYuDQFbCq)z!o?*LifCDI=?`C8ITtP`KibmR+dUb8 zKEF;oBilzbNz2wwYw66@hI5FP(z1t_CCHtrXI{YE^)Pd68x39xet8R5t)^zNNm_=| z2{csJyWl|aID4;#M?;sZ9%}18-!O*|DS7u`&U^mQ{bAtwq<`tgW71DWnm26BQbKT# zSD2NhQ%=U5HH<2#O~pdu%e1dEkjH=gN{Ez0 z^~$Str_{Hybkxkj%6VSmWcLZi5TwG&h@3kgx@!>X0HiI9-thD^C?HqBY%|Cv(EHl+ zfbjc#Uc`p!4stB*rt%voKeZ)fCN401M&JnH-@UFgC+Iw`UeE`o?`n$k=~*Il1I%>ng7zUzIA>9+47h??TR0BMmr%k zQwfET5)h67GRQQJt-sR$?vss8nlhR`*E^p}g1Zn2?jLZ2{JtTyaIBBwVz4jAcli-e zHewtE!uVc*S}afIQ^pmSHQEpbuBsPm8#+>%`z^}XM4=2cA0McP6D_57@fG8M&AG4> zn1N8Et=jo?KDa`!eDix=-UC)ZMX}-PJf*ZKExB+TUq@bEzA!>MtXP2I_+!jHy$*Yu~~TpKKYz9G#AuG z(#X~!38l=l`W%2^PGNLtpYZzaH3rYDWV%w_l9`%Ek69wV489sX_^{gpDu|te$h|F-*hCUGBBI7^N_!tDiMuhc`EW zOaW(#3aMc|-y%3`C;x)x&B5bs(0t2;zuYO$AY$Vm>csIdW_OfB{~fF#V7B-2X<#YW zvr!oUfv3WzJzgssZc`$G#5w^+*x{BXr!)=G>dR%0TOG725ptbREx}mSFL!^G17=5H|~&F#$S+`Mp+|j~_bI zBx9olzr4wETBJzO!&}wj75+)^qEAWliEL~p%!)75KNy(W&GV_bubup*tCM5Y+n`CM zf3Z>~KZ$Onz18`c#0aaCSeUgpEc9D_eAlHr?>sNU575!Qm!W7$!vI0E>ltJLgj!dxGbPn{$&~a|6lSl-?TFe9}CL?Z{v-s*xmC+9T?FHf1nTx zsM8yrx7;`rCBa1A|AXES2#3~}Swr&$V+#fCr|;BhHuC&;EU&nMgQYDb6xaYI!^g$1eXRuh{&%j}NWnIhbv?4U+P*`kP%F~j)&11hE4FKY~Q ziw6Y4iQte9+p_`x>JbtpiIlI{LiKQJ_&U*70Pio{aDdIf*`emwlzH{BsQ6rdNSbP65p?~W_p?tIhCvcK|xlAoY+)^M9AKDkh(gAY8(@$)LuTIHw)_MDyJs_pv4 z!`}L&H|RDo#J9%}&u=5MMz!ra1QXT?p)A3HCJ#w20Y@6^ruum^1RT`dzxaU=sc|x8 zwjfkP^oy&D6!@t|LYi#4#3Q)ME&kmox`_cDWZ4r}S$yx6*bRWFddiNW(XOMIU)Ffa z!jhr$Td&U=E|6U~Ymsv6Uo&CWI^(sC{u{k4YO=ys#4f%UeX= zH-CQiS6F-WW5iF@A_F?o=zrlyB$tQo=6ycc#;-XjoX2feam+0bmcu+PWOe;b>8dMsgTopvO}h9lOBlEDry&oJ5paTZ=CXxo zKi;R{c!rI!AHRF?;G9Qkzz4rt;Q$r{)A-=84G)B(|Lg5v{(DQHN=yTu)IF&i*2L{` zfs84h>n2-9pQQbF+((Xb0NE?*3^0QlbUfxf?sOFOqU zh)txCd`FOWf$CRb3(nSoa809WKW4ad%8`uT{n6AtkSHjp_UT|cHN0W0{2`J|P5pf{ zKD<>8>Bp$D!zk*jD^GxNW`Ei$0lVf;RbjQmd7NaTBV0LyDY^dYvO1{;kFCOgMwIC6 zzekkG(7#2Ltso10zgx(*-cdC#ZF;E2W5<#;F4ZJVnESg)6VU%e*e0Wky{3F6H^3Ws zW}8fm`~+mB|N9lD^Z(qm3k%R$9OtIgFVGDHfqVbJB23S))iCu`^RGZIl|d|1Mghy>iu#Udm5tf zlzJ<8TjL1!jGn#9wZGEdYTd{Awdg7LhtaGni`VPebrXLKl3pJ*nkFE=7gJkNt5E{x znv9xAf*Dbp%mUF3@MFd*-L>%AFnMmc_gQ)we-5a$$czj)4DZpFL(tP!ZEr zV6)9c?My%KkBF4J$5eAB<@?($w|xfks1|>JNB + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/monitor-object/README.md b/monitor-object/README.md new file mode 100644 index 000000000..45abaa26b --- /dev/null +++ b/monitor-object/README.md @@ -0,0 +1,27 @@ +--- +layout: pattern +title: Monitor Object +folder: monitor-object +permalink: /patterns/monitor-object/ +categories: Concurrency +tags: + - Java + - Difficulty-Intermediate +--- + +## Intent +In 1974, Tony Hoare proposed the concept of monitors for designing and reasoning about objects that are shared between multiple threads. The key property of these "Hoare-style" monitors is that threads can wait until some specific assertion about the monitor's state is true and be guaranteed that it is still true after the thread has been awakened. The purpose of the Monitor Object is to provide an implementation of Hoare-style monitors for thread communication in a Java-based monitor package that automates assertion checking during execution. This approach reduces redundant coding and automates assertions checking during execution. + +![alt text](./etc/monitor-object.png "Monitor Object Pattern") + +## Applicability +Use the Monitor Object Pattern for thread signaling (over Java's wait() and notify() approach) in the following situations: + +* When you need Defensive programming in multithreaded code - The monitor package provides support for defensive programming through the invariant() method and the assertion objects associated with each condition object. Java's notify() and wait() provide no assertion checking +* When you need objects to wait on multiple wait queues - The monitor package provides condition objects, each providing its own wait queue. Threads waiting for different assertions to become true wait on different queues. Using wait(), there is only one wait queue per object. +* When you need seamless passing of occupancy - In the monitor package, control is passed seamlessly from the signaling thread to an awaiting thread. You can be sure that, after returning from an await(), the assertion the thread has waited for is true. In contrast, the notify() and notifyAll() methods simply move a waiting thread back to the entry queue for the monitor. + +## Credits + +* [Theodore S. Norvell - Monitor Object](https://www.javaworld.com/article/2077769/core-java/better-monitors-for-java.html) +* [Monitor (syncronization)](https://en.wikipedia.org/wiki/Monitor_(synchronization)) diff --git a/monitor-object/etc/monitor-object.png b/monitor-object/etc/monitor-object.png new file mode 100644 index 0000000000000000000000000000000000000000..a6d736894e24c9297fd16f2915fa164b55eca633 GIT binary patch literal 80512 zcmc$`bzD^a8ZU~C3QCF+q7oxH(k&__-5@nccMaVJg2aF@z({wObPS<13?bbhG4#-# zcY(fJ-*@kQ?m6e4^SSenE@oz}Uw-3xp5OS&$%x_JAiaTwg@r5rQdj{C>v9AZ)}=Y@ zi@;wlfo=$4UEmcH7k;kf6un$!5kNkmlRENdGVa3Bw8w)t2Azw;U07UMZCb0T28^%U z8<9|P?_6vUB4MnAT_xSihRC>#Uc4>a!1Qiwa*>jELHy(s)2ITpex*`4lSIi&kvliJ zo(o?mdtF(3u@$D94@WZO!jPW_J@;hYW!+sC7M2{#8Wg)v+KC6t`hV-PCsSs`tOUu|o;G6Xf(c|By)7~G zU2DDe8fD457D_yJ)=4zh*XvrBfTw>&NoO@Kp)c0RH=@uqVqtfHmPUW)z`|0(sT}nx zTH(UsGVpo{Ch_K)nR(^du&GjE6CK~THefL9ZFZ4~Q!l}GQ$w66nEz$T^wc|cn~IUG zW5c8_^HR8RMogh3epqj}die)@J1%3N__4p;n_2QRL!I5w!(ak12=u)hW?tQK(9AMI zTct^5^ClsTz^34H& zKBEwNjTaH^s0K^=O+A}v^Q&#dVlDh?diN?HQjtMAUWUw}vlT`m9VMx4DCwv*DAo_J z+zY^L{y@_vSBlfGtB%uxvI89kqII((V?l7_bp7HIx>h+j-&JZreAbCajBbb&1yQ$P z<61#PiT-WmV=iKRsfLJD?#9aKi=&8IC_u-}3+O3op3bK>ov3n&g~Me+c33Uy!W+Vh zt5|RR-Xet3E&nfFj!+zLFP(1pt`D4Iy7$q1+T2b9H+40+WrWSI$n4o)MJ&fv;E>~u{m=xD+d>asK%cZ7Ha-0-7yLr2T5 zB?{r52g(~$f!u_Mc8yfPr7qSCt%OV8t->7*$eRsU9K{leH^KXJHNM(*v^w?FuGZVk z5BuSYq0I0(#+)7z;%}@{-l|V~BtxX;QtnMD+=65nmxIW(F0_l@^(><{p8B)#WLYv4 zp2tATj}lIW608LFI0~K`?Yb{$X77Ej*{GdpMAi%(usy^F`H_!AHMe=qG7WF54rd?~160JWUX9rF z4G6CpR~$twwja=NP3eb}Z=+Of+=H9^3z>3tWTe<3f375$vg7K|(Ns>S$3lsf=Ly>c zfnU&m`Rd7>ld6~JB%4vSTT`59Fd>+vJ?*+95iez4RqR1-+nW!;iZ_Y&Dbs}5q*R}8 zEJMl&ARU#CGU6d>#ZG*&*0z0L9vF7PoQ;+KK7=c$8~Z7ICtH$n$2%mIY%kVX1b0DJ zzL-Ij`+A8H%(?tQg>=WRp4i-$pbVSJGWvk_cApU}rP5Q@#!ig@)8jOh^7IPGY*3Jv zH1F@@v@;yFdvvh7GQJ6tbab2RINclpZeFvmeYVDiPs`g^vzvknq^hEKo}pxXoy%Dv zmX|l7CNI^in%|&@MZ`A9wIem~ND+U(tEba0Pl5=It6%d~R?5KB>`AK`Scq_S_uy3+2?Bx?@QP_xg3gfP`V0cW~D!s;ju zJhn3?RC9dXRO2GvSEYSacpP^ayT=ZTa4sL56gCu(l11GYj_}^HkytPlZE!@>3~VC& zDT~XI%RJ#jL~$y@D?M~D(j9-_Mh1WhxD(8U;K3?YEFzf%|C4D-; zGFMtAzQG;&#_|U&MpNP`{%m7z0ci&ccL^&kpNKvA&nD3(#rJ(&yX4Bn{-T<4HCODE zb3}`yoEHqz>Zw@Gv3nmrup*2)3xnIsrldOP1G*mQ*E1!J7-YPV!ErW4-ON)du zRGn=Hx){4w^h{B2fz)tcP_Jsd8 zE(316&y$d1$${!m55yh$v7W%rBoDplduJXm)6}b*09n5KMV9{y3vX?i@J+?HLRmng z0F92JN=Wzqy=>%{(f7-&H{NHJj_+-S3=YN= zO7(f+n7(ufDbehxtto!@Sa^^#Z%q6V_WJ?sI!Dd=?6MbK1|v1remYR^7vF@aIKZHx2NimNF!}c)l1xD@fAt&uR;oa)K*2US}sY|a6_Dg%NSLGJq zhtmXpHcx66j38*EryLMdY0O?r7Pu5C^P66pH=)i8Colcf;sU_O?iF~BH!trNae0y!8riI*VS~*V}Oj1Y+BumZiH_GE= zs#ua5yVkTR(p59an2|H^c~3(vH-2g5A(1~@F( z7kc+airw_9al; z&YBSl%!9#h6!EOdOkR5>ab9PetQo>`pfVeAGt5m1AU1EWk#L0Mi>)i+9ocKp^gmE; z#<~1>?tYc?bnbLs_Whc&gTV&ne4EV-8sN??j(n4(HM(E~6Sfp3c?dkM#NriET?p={ ze#SBR&03D|1>Tm}(RQ_TwI8DrIr#z8TmqfS&i$_v6aH8sKZZbYmJ_ZcY`f7en7v?1 z@;hX@10P=>!tF4+4A_*H35KII!KxcWpaX|3)$#QH)ge$|k-C1d9dcG8dU*)s*QJn| zPzjIM8B;Fg;vsi*jYEIQp`b@5< z99bgOX5EM6RZKSk=3=i5vs|DLV|=XS*q}Imo0)(#?w*TOVD2)VAEt9e0`Tk<`^ID-^9mZ3`5Fop->A&aqQcUSk`P5FR}?x#z(K ztmI0lT@DiUMief_RKHfse4|1Ta7xA;q*=cSk;tihBo29+TX?cNaWLDs1ZwaeES?fp z6vAJiJFLj-EGKp?e^PHnL+9m*t!`=wy$>FTJ;0kdwQJN7 zS09KIB{bs-v2z~q`KrkE&)6O7D5NZNv+GN5wIP?D5AZ*5n1v=y zJRF13E?pB0ZwBQ%H$+gMu-$AzNhkdtAz(Az=AWW)#x!?HiV_Q&w48bo6Qh+BvbRi2{pyLRuXk;Ciq0bw9 zXk^nr2_;vcn%s*rFHy46Gt}K=&96!I)gaOTW1?db$d&qWWG6Ev|LN=GYxUas3>U+= zEvFwcX^Ml5qIa_(9c9%5d+{g7CMD>_ydlp<%|^`Pl$W{bgWhoOu#tOINEf5w0>-4oA(mZ~5cqn>Db+ zxrcOU7Qb6dpoq9&I{{9kUZyj{#?0Byw9{?}khN{xznqvx|F~J^krr%PCu~t{xKOsg z(3{@Y5$0`~uIa}N!Y#sj zAd-Bq-NCVWb)Y$}G#c?+n+52CcfWpsQ)*UiH>M%#8#`o+n_{d#x=Do7{0mLSAJ7)s zC3*dUCYYlitGe)kV;#&vy1EwEZ?1m41}znIJk>HfUai?~hYiU30aF^o%jI4(WK6wD z553RGA9qWA!GSvt9-+g%Z#vd=CrB%gl&t_x2MnvSPADW)xo4%2;m z%tgI`-KWbuYFcBYftCUO)>m5E6EuWB&%?&TN|H(fR+ad@7y$PDhKL(PmLDDUFDQ}e zs$R~tskJpOKLYd3-SK`{bYmf-qzA=OM7T9mFW{Sz2b0PURgojmCL;16&3zH@q8Hbu z!YZ%N9N8+dIGb6c-qIY}c<1r(#}QrS#v$^;GvxW?;+1j@l{#B%$oUI-R8dV4<)h7a ztiA8QI_`JKYdQE9M6=Q2=K7r0_q45c9h&l+YNt--{ELhq7*S?D`pM` z*(wgO&+b1qNUA}QdBTe+z3(N0zc4a4e0+c7Z=J;m?#{Q9IZ}8UZ0|MnH8JPP=43P98cEwVlM0IO@ZRKKdsBW<2BY_rGED3rv_08*PDxfSbH}}TOz@~ zr_71RYmxTkk@zi$ETiAFlE)d7kE2Syp-| z0JBN;Zc$vfyYOh6{Q>LC1QBtV@b?h5*P@wEN&%R;)4^Q~_hL0%&a3_G!GJ6As2MLw z!XzYhm5U5!>_TsB@{}nzIx-5=RTG}jT*bA8<$A;OG}n%NUP9ZB8(bdm27G4 z`-wNszajEJsTy&aEjG{tb1CE3N|*2~u-V|;e&#AoF%li0Mac3e@K^{39_o7UdsRQW ze%(Sr*YBc$EuXKhsuEX7uAo#V{x$C`X0ifWm)WuHXIB1fw&lT0KZx3G$m7P03p~E+ zq21_IXj@dHKTM+o=2N>Lr1?+QKa93g-d`Au_Y6OgHR_(@Lw(L1d!2`duvXIgF(E zAfm4SZIu73rqN^mD%p=Gu}hHKq^K#^vq?nuI<@$KM=!X%81`atb;+K!rVnnoWm@yiu|H&lL-_u5R$9LKU(ja^u zGuM0oCC%|@M&OV-X4&-0r0r9M!qEMfUc{T8C149E8ouzyo=tW1 zeL+P=am}DeV_U}|Dyi-^EsKFT_bCZLMlJbpnc1HpY71ozU;TdMKa~vcZzXf-Z%W2c zCHIOC8>1yuDD$_H>Fq^5RMPuBXkUTLKgj&QU5fW}{7fZ@!uH}gzMW1!fwP|_jHGY@ z#3^g8xGHlCkJRVx8yz6&L#4#U5{mVPu#)`6H1VY;0pt~C05W+KU|GLI2pL!EVtEG( zIl|<|>g6tC$pANjsp5Qn0&N`AYO=~unNS|H;BwrHUE$^mmfbm7TJZyI5{)b{r9zN} zb-XAAZ;!E(F$jKlsjm9cRYn<=G5~dk#9~Ugna3p@%cwMo%7<2NoeJFXiMRQfa2YEa z5M!iyXYC?#9JsB?z5lIG!^+J?+#F{&skk!Qng{?BfyPg)8&a$|>V9vpkD>4!WbBFf z97qCp!q=ff2nIqw+|C|M?!Z>7bNPj(FDti0Fx={}s{}&VvADmXFsb$X-##H;NUIHe zxhI{ba@La@6-)ooTnXTtq~))GF8I2#R7J0;pH%EcMMQ8XlkAF!m!`^Ymu+lmsFh1t z8t(RCE{`Q^u(_7AU*k~@YsBwo$SG9tTMRxh3~RBpT1Fp*r*)8Db-DFc-Lhvl3O3XH z*{AmC#>J{yz?rc|>k}g7Pu!zk-`5c%C{`K5f#@nC86r$VC-MqMzuL@z#(O#{?@F8n zx-7Xk9)ag7ykUqabr!6;=9Z=0+to+);3KkJRXHbgvpqy5Js}xH+tYp&oc()*IKTeLd(R`Lb*0CWPY_>@SmZZ z(+SKInT~QqvZ_4qWA_jGZiW*;mQamx`f6b!f3fL|intcrJ?(tf)Qx5PFd48aZC19i zqiZoo_`1W)3cKSBG;=4xx@h3#=eExcyM&_KCWxn`9lXud&P;tHpCbk+diNk)a z1lY5dkCu>c#TK9W4_O-3oBF<2+P-nVn(p26c@mmS<(%?@Hs2wd6)lVU@$6_8-u`xGKuO3iw`E9aiPOjZOXsyznGxQ;H zE!SmG_ztN~fBiSCMauI^&Pd9yhLa?Uz*k=UTf&Tq?qRE|;Ze-%m6n_O&L++p)L zJMXLe+s@6<4`eiva)z*!{s;}l40)AA&EqT`7~1YvJ4NH4!qtb0JIw*7tBa{5HEk4E zw#MZHhq<5!@6}e0?$u-AP^HBqPwWoIM`Fw8dd-@Gj(&U@#6zl(1J57w-04*mSH-K~ zm~K_-mo{*W`DMM#^=#0gB+phZZ8`6qt!cSubc36q|TfHMuw}e@A5Q^ZU4)Co*Z@}He}vqe0M=Y zV#b@t#osuH;m~0HxC}03kO1?TE!{6h70vd^Ig&F7O{-^wwN^uy%fbU1>CbM&)~$u? z-;>T|Wk_R31-2jl;|M>);?@kTC0Q#(u zCRF(T4IlreK|CI{#U^k~aO~KOtPiWm61Mvz7Bc?zpiVR8u`y0(bPYu!%nz zOR>TRgHA+!EH=V~6`9XE@JC}1SyW(mp;u*>CaP8wY<+ZnF%Vw5re1P-x_^9dF8m4f zbUC;)yLxNwrl89S_=MT%c&vuVGp_1LDz6#UkT+>*3XX%ecDnGq_t?ORVJt>j&nFK*XyQW-M;dafg}^*i`S$q2)X0~Pamuw;&PQrC@wphTU-QO7y%T9M$Wx+=f1r^&_cD4w5V&$Bff z#O%4T)G5y{))lCs%jfiUz- zdNt75l+mr^QvMOXzq>WZyXCv_vh&M_B;)<+MHcT+g{&u?)OBCjLL+=u3_d=Uwpa}u zSuwV{2QJ+NOPV{yS~^yxa(%oF*7C9UG}`f)%gL?y3Gp2XVE)1*w2|jr8(J_hs4dIW zcCtkh1aVpV0O6zF$EBfkrKjw3-JXcPT9S0MhOHpKb zaYSeFVZ1%*39H3ZWRJg`iR$#V$y0Q49(LzyUA3h2-B{T}lbTRB)6TfEn<2+x6M=`H zR6g0!wtfJ4Y9Y;ue5k9!+vG6%`ktS;9~FDs^ypg}DkEd!NAk^#OXYp3vQ>G(X`zWO z$<=BG1tVmxKu92i!aRNsFCCrfGt5skl!&vb5lG+Pk;(uE(;UC>|H+D&YY&Xp2%;iS za*I|6)GU8+ZxF5yI%@yiA#>lE%p5%|k2|cYPAqI*ovfq@LJs<^nh20LgI4i91w9W? zP(B#~T(%5cRCsGWl`(sKYeRUKnm>68P7P5bd%tPqdKkC-^Tpmcf`_@{^GtO*;8tp0 z+wKDC%t)pLDcOs{PIn$^*u&A0ud)_{8fDlZh*F5u= zlL~B&*WfxUcNKsqR5cOXH2?tI2j};FEo-K+elZhMJ*K)V; zha6-$H0D_jP8M98?J6_{#wrMowhC9EWx$Z-kB~Vos~P2ncP|0ClEVB&RXuhdjj#81 zMixuSt(xzljHym4B-y_iBawZJwek&LwnN+sg0mi+Gjmh*;V)?Md1^DW^C54nz=19r zafqU|N)3ntw3F=&NfUdO@~OC*qLRO3yz9$l9iK zQ|BmkbW3lm_-q?{TWj&O`+@pHY_ACT6j^2p!AI2G3yyAv6khDXJKMOGD+mAdEig;r z*c%M+{fG+;YtY5a7kZIdd)2gjId+z_-mF?ld7lEZ27Zw}+nifqH~Dsljt`>H?A53! z2X*JOJNjY77|Xnpv+!&+V@e-$nknTCF;|#ZOMsf2ppH_U!$Q(z_Is(20fj19gl{`a zKbb*2i~c9(+s=m<^PQse`R?;NN|A?q4xU(X3GS53QjAb-#c*{B)NFTG@2q+nTEu;% znx2!&TL{8oNgD_y2J6h&Yiqwu3Q!)}xNC3Y?@{Lhq3yb^#z&{V9ie`!yCg#dW#K;D z9{I3MJW%16s>$Qa-(4w0UF#IQyKrG$b=mJ3hfJ)_cR|c5Iy#p&?|~~{Cu(7bb*bP{ z4Sr|G2hU5#!DQVg>0~^R4s_~Pm}^5v`z^X1XoE^}e3dr>-eSO|@gpe|b^>8`u!%@2 ztkm2uAvvaI1P{P%-}EQzLg)hX@;LvRWRE4j+wO~dv3w)i`$NTX{#2WFHT(V(Bbxh3 z1GOd%sI|N8YvmsS$3{G zY;e1FBdWk?8ZO(HgqejFP`;Z=8=bOG-!&1peLfTEGxh`j)xssk+(4z6<@Pxa!OHk{ zpdB3H%;3_gs32vf@DHxivbhHiVm-NBXdc|%LfH+K-3*JNZ=@)4hJx4uND3bZ$p?CW zc}zdgtq&WYqza#A4s2K29lHTxpr_1PPs9nnxp12N@Q3<)fSkoVrYH_q{C|=o`5Chb z?)*senC?ZK{uo`HIN562z^mFVJoT9Jk;U*;X}i%+)d%;9m&>J2%Bz6<-l}a|HNJ|{ z*X1V|E(3S?0elmE~GhV8tx9*TOlpebD-W7RNGjwtMZ##^OX2T6{(_r^T)`~KzAnMCEq zo|$FslIpKzj#&wPO}Pn$RVL)-}O3`Tc47EPQHODAU|29%#?p)Z^y6yNfBsj=w zjTg#lPL#Q{6g=>)$SUS#Gg+As9|yGe?;T#MqRsC-t!h<{4)U;F7@9a<^cSP7a(Zz@ zJW}KAa+-HCNio$!oqBvwX3k`=qmQyPWDJPUNtdU@`Giw6yc|I~u^FoN)P6FBif|u0 zoI5gFxrcd$UQ(dlS;%C3@lHk4qu1dzX=Ia7r`D=v4-e`=#*mvJi# zD=1mQPZrF5X>~HcVP)=Su%7Q;v$It|DW zYm5V^d-z`vWThy-301yj4KrknO|=LE{5nzF$$2M6W(Ws2XoB{Z6GW86C7WHl!vEqy@~A24zs2!!Z;d<(En; z>eopgx--zCC=$8VbZox9U#4Pd^rb3Lm<>tk+VMEkHK%~C>3HAvbHv{>P<)2xs*K>m zKCLz(m%3_1=W;tx;sZr1{x&qmB1!7pZNh3F-dYG!_%-0&B_V=6`&BbTmb00q)2~9Y zkaX}k<#TYmf*jp{5<0t`uFt?Ej?#P;>g?HwyU)A$vfhMSgHCt^jnERBgRZDXZ>?iI zt=*Rl%iJdhm7^U&C4+1H4FT8vmpH1R5X-N;!b1CxYvg{3Tds634h5Xg6(b)pYQ0x{ zNQCRG&9Yl}p+gg?;1E02qaByhs5_({)YFdH)*~#uSvmupGU>B8?ta)j{K6xg2bPc+}s(4m^ zn(DwrSHT#z?Pv26ypkPad~oEAtWVBY@eC2Dnr(65i{X+~ zPoQ8Zlvgq6RR~dgnqr@NZ{FdZrC2*>pqi%hglYUHlDRok)%s}qZHtw&1nsON37~13 znx2vlrL^qH853I?^@L4QM-BGn`OR_wWS!MFTuN)S7Q#{rWLHJ^U2Vh3%Btl6zIuEC zV)-nC;nmjIJoU42Xt?*1kZJ;gkjJY>7vd_id=;a@&1rlo%BH=KI5$jJnJTYD28o|ow}SqIo2+dOzoCXTNN8NA8?i)f@KK<1I$GgVDKQ6YD7?4qfkEJl>#{Nqb+*S2toC}N$_9w^ z{t4z@%OBYO4lX>?kI_uhjN>Xo%c5vy(U#|0yps@79cujj&Ymw>$`q!O zGA$;}gPk11K|sr9xc>QWUz*l|G568~_)PJy)Nsq8^OI1lXDm+T-}+WP%H!wOpbN_4 z?O>Yea7|<$qpy^um!wKuksG+GIp#An2fwYF3mvoMLUvBIHye_3Au!v3(kE=BKNeu%#HlXN{SOhgsN8^D4&oyId z`q{9ly#oLsA5i`k3I+P4MWs<(Sv66FvQ3t)=NeESQ==K{ei4iB z8u*ugPb))KuO3aW^IflRloM3Hug*u0*$9p<30qsjxKz~{0y!gVzrWf0fE1*I^mM!* zh4=tzO$&ujn7S6e_4o|ui~sphZ9(p&5aq##t5^Y~>w;$QPV01NP0n)N5u|6q>2H6{ z@c&%6_kWi5TCtGj~SW5lx6!y4vkeH1IW)223K z4s6VJ^L5P7ClEenz{*R7^9kD&)E?~infOmn<=9D5z74U*KAN@8V=cYCuyRy#?>s8{ zi^*kd9FPCZl9zdo_spYdRj1zc;W5*2FeRLZUZu4I3k~uV$5WIFWJj%<-7gD3kX2|# z$N`RAx6!L%8z{;FbG@eM|Cyq?b{;8=xB^DF;&<5F_fwk0@zKoPFpfNn$N(X&>VL~w zu>~&Q?IBd#X6Ic2jmW2wdLN1c4kB)WwNf+k{pin%9MH4qsucW*HbMR%+0GJ?;vSPn zY+-$gvE$5q;@qZ1)6QR1K1qH25Qc;Co7mWDVTs_pB~OOteP9T$tI<)*0EfVCsGH&s ze_H_Pr%Ac!7^XiF3HFzq=B|l+mt92Z%RMZCJN@49KKXR>HPdntF}er~_{7V2)v_3A zRoV%qP|pe4yB4dvV+NqxzS5XoS5zx5xmYZ)_GoKgLsk$TR<@&6eRzvz>7p*h&@YMj zzha=2Zu`DfQK(L<7@6XSXW4DgQgOvOuYmIWbo@Irdp@nTjXb%!C>kyVJz#)hcMjK) zhZ5=*mfAH8Y?7d9)5g>`j+6>S41HBXtS{*FvfB$qXQ0L&8!8n!ydv;1i)v0gYuTqQP4&n!Nos`#w%IIAm@bSUGspgTrhpA>6YhDGJq+~5lvdz2(>L?Ce5hH9a08WAN7_*8jm ziu;SN#V6br^Y_)5^cwY|b=VB?9OuXfH3Jcb9>qnmoo_9NOhe9#Vl7<|Djin6I}@^h zan6sUl_Fp69N5q*6Bxd(Mb&XGUg?(55U0&nFxXR8m=F-z_r6tF8)(}Xz5ouTxL;`F zhBuchMT2Zpq`!TrI2rH-S##V{RzJ&qY*Z{Q$t+hLE^mC>ye;bT>?^8Ou%hfTN9C$W)3j#1+hpyBY;S?>#~fT+0U=4E{wthxXgqc;ORX;D+DAD?25rV8V>i=cwk!G+N8BAdDx*1+22}-aGE4D>4a^OnVi zcfnx2`?KB~#w3r(cuv~)m*I(thi+!6addEHg$f|uNP!IF2%k-q+br!}vJDOO(Vx{S z#Z`2Ug^uX^(tg%+(Fvh`r^m}Rx7$c6iS=0m$a^~}tY`~RSNw?GGm~vc-`)>ge|Fu* ziRUoVcp)pcoU|FWT_qEM5V~|8S^7`TavK}kXD!Lv8ditE?KmOXzURwqBn8S390NzV7>-{0~g86yWLIX?{Y`T369Zq;-_j zKy2&5;jA{4B?WU)zt&_k129>&$|f@oUqVSZ2&e(g6=Eu+w=6!hnWwvrK#le58+2&& z)2)UQroy~V4ZR4;M`OY6WG_A*QVT|a^`9&}TG`;M5!O2ZHD>D*3pHlb#^&#>`o2Z&)O+JFb!56FATRyXPzK$$ zfXFzXD3l^Fyr7j@ya}#ES6I!*89Pm6|bNo;*8tSq! zM*gCQ?&^>AgkdK1I2T57F0pw7!YrtPxl=h! zt!-SM!dGYUB7sz05Wxbho5rt^pw+2Mw`59w;?v8dK45R_n|1Eq6AyTF;|6K(_sO$* zyR!jq>8Ki=;p6s7Rm1r@UAIpzX%gqKw+ufSYBk|@eV$U0%qkcd<18+^gm&2Io;gzm zGgWUFsL>LRgEt(3%DIV+QLXivrSb*`P9xs7CF|Zn$dhxg32q; zAm=T^O{n&#UmiGc^l5UKYtL@SdEmjJsF79uHP8O7TL~t2F0Jj!RYp${DX0>4PSQCr z(`+kvBNXW(a;AqsZ&gZbxdYoI6-KoL|0rW&S&7?y29bdgMvOk3psjen=`^XJ&_hr} zbg9P|=j7|Qyjg*sBYuDTuClChD+*UDSL&_@$uIpd{=g7v2j~Y1r@i2!ii-2FoN@$W z=`l#R<%7W7hp(hNtH!PWT|dao>l8(>Y)3y$>GO2_U@_N3K_>yX$XfzyCz>SetXA)6{?x1_*-H25nWd zLH{ZsXAmmYCVIuRTw)~0N`gYPZt;rChmj#W1MU*PvB#&?(ocq0OpDdC%zwz3n*!y| z)f7BT3y-<1f$W*%Dl+3Luv5wg6A&XQ%u-0sd%1qsuYt_TGQEC90spP~zs03v#pS#5 zi~5Knz;-Ggu_qJe;PuI5^uZW?W;8WtK5cdH43(RRY*DXBK{LBbg&if~d%4>l!_Qwb zrps4sKI6G169F_|#N~^*DYK@1#Im|YDJj|Q=lQ9}I? zC%)CC!p+_qy8qWeHt4J?tZxv9o|G=a0K-%98Qr?>4xaF)k|Pou!*;bktjHGHfd(h~ z2OH!j%T#KMa^M4jCqEPdeDgh*pkUm8N@6>-eeGn9Bi10I5?1FIS|vJ<1amkE+F=#A>9htC!!lsv&C$g;LBHAt@8 z$Yuz2)6gqz`Z+Aj^}c9@Xzi`G^Pnuw5465i8e++HUnNke(c4|8IGxWQv^B$eeDp18 zHLTZn7nM#6Xsnpcoe`_mp~AV;D9eML(weF-Up@_J{kQbCk^T_z9MkK<3h9Mw{q6&m zn&I!wXe!6oQwMspsSQ|LUfiIXD=9*x76YZqr4_OkwYU0T%~Ik{vxE$d8JN(tizGNC zh4NEOgr0|&7eqg|`m3tX=H)L>7uuJ4F zyuW}?eI4DVQSkH;$BPn}Z_842VdP_;bn#Yw0@WmK-@x!l(HBp}lDnRyR+9EBavj`% ztd>=IGqS_G?Ao`Y*#1IUa##ThvrRq`y8qjU&PzYu6D2<>PYVk>3lq;;y)lY=c@FG4 zD+q>3^eD-dF|r+dHN{4YsTQW;OU~ty+MPm#M3A88u*(H}$G+>^Xb>Ug6%`{7uDZe`; zM-qqgj#fFeVec{ayM_jla=vMRr<>0WUIq+^B)kCHR&8!! zaXo9+Id;%m6pym%cxMEP_-Ecd;SGao?(#^fm5$Cs>~|X(|7MG$HLG0got>R6EiG+r zZNC@&kv{(!3%ELvtHtNGw{~=N1Pp{V&p(C5lk{c;?%kjaa_oP}fe?FK%7gD^dHHKVAb}J3X~G-BW8XF`{>|T8Tj0wuJD7YMw&L_y_nas+ z3feAs`^0Z<--EP}`rMpfojapphfRU5U?0mrDnk9wDnf@HRQdNeZ1Q6u_4iiLT#M_W z_ID4y`;rHcB>8`;CMJu=0LNf3d)H1rS@{>=Uf8N>ivA;vu_WOH-D~R)Uo-XhKNVx( zFShR{PAm85FmnD!byvXQoIo+8W0Q#O0b}@C>6Y&WGX_lwQ}x=?&k~miD-aKtqt#ae zgI>Mj0_wk%>A+le<*bv;_fPFTKbbdmEo%K4!XJQVsh&=Qxjgo#Z{8$f*8GSQax>Ihj2&`G35jgeYFJ5J7~6Gk|HUbweQQO+}fFBYL+-mY`~W@y-Rtc)5>|VEx~5% zVzFjQO22AcTS?0$;(6lnnCZOpqc;;)v<&AQ97F=F>?elU?%*_S7!oIkNj&AK2_>N64XT_rMzjE3_*pNnjKFn% zwG~cU;}e}HYYD`B>%vlY21?1Av`+;9Bi{ZBFycq`O*a7syG!&l=49<&2B1K`UeoOC zY=3`$u9j;OCtN8}B;fUeYt}ofbSXl-%Yttcf_U5wlqzU_wtJIPwos6o0F$$e^v$YZ`$$3?Cg)T#lv|^+;438r##th2z-@_`^CitPEoo zT6=bX*+0on+?-OA{lB3(4SdPI}y zw(5b>d^Cv2sML6bOKR!T*P`9obf_*?tPZnwb!AyunNeqK>4b+X7m8^^N|2ioIM;gr`O|NS^FyF&o2NP1k^WSdGpzEp#7rT@(S1Py*o(O_o}W4SCOHfJ z6o`voBGVXFhsa#W`oc-Wir}BmI8=Bu(OsgAZ=(R%e(fj;<|uZtzMl*#*2&B@m(}&N zf_FL($R%ZMdb05!UdA#ED1cbb-7Z%_%50l707uPQ6%({%ANTuNYdsM)b_3cj?&VB) zX9bWeH{QM8l?1Qkt^!9ON45N62_8i&8Z~kq`Q5WuK{?wy9eFSnaUeDNZR=bSg>FEP zDWN%L9i@5wUUDk2-&&U&xrv_~|}P3?Rk%h|S4^Sutg?NFJ-9ApIE*W_mE zu*Y>8(S^~ONb*|*Ox?X{fIP3=BL5s0w`#`=&lJi>kSXNy&?qgIshJ(osz!vVN35x9 z!41wzGl7VIgpVfQotRzs!J>*8A!pXG5>BdC#j%%`g3YcEin9ZF3WmXrU5HonjxQOq zp4rCT6Ii#TP!_@Y%2xNMEZ`W53}`?-^h$ko&a^cMhRsh)Msbh`;$#sL$HAYDk2wvpE+Z=3{;7g;g^nAUEFIn4{ zTTj*kFF;0wF{sjNkpLCazf!_<+skl|+vT?m1P2H9znIj~wIJ38JNY`cp}9tJ>9g(I zUb^Uf6z(<$-=(%%<@uHd8nj3DsNgMt4aLR9;saNJ zx8fPknWJ(vld{{S-e^6~qX5@TF)~JgXmNJl2bL8)_a^Y(*{>4;)!1uL z#g}-O0h#8yvm8-^01lsHVTBrTg9i@7IxJ50(Q(?R#h&Ynr+ZnxaST-K?ZC~5H8eD0 z=a`t8W#&*<&pzME7J$%j+uzLh*El>hYG|zQ48xB!oJ6O30eXs&iHV7kQM1fir`!Il zO?NNUx$@A!TjH3h*o%R?MPo1+G#U-`hs~%%s)G6KhE$i%aw{JYQ4h}al*95MFbsgM z9E`QIKYLrW66{f(QXlxU?KzWxqbq6SV$;1ttR;_U2wHa5P+N zv{M@|1PDjK2#adP%i~ibOTVM`ney;My!?$>^6@1cKZM;lIzP_hRBbjUJ0-qK)LxPj zyzPZs6C;Ia_}~rHj6aW*)O5MqGe95j{kYK0lpsY#Wy#w%Azh^wg`s_p2l&?&z)fLF zCt~fi&c>usk`BDP*oa#d_cUT2BwOuraFtJ{Vph)SFNf_d!?>>Xe9Od9V7~D>F=5yN z3&)djz-~LJRz8*$2#jX&=d1`u5PE^smCo})H4U@W~NUn(zZqV78+rUvR zq2gyH7Vyc|qt9O;v&SZ)wff)T6!9RQZ^&($+107RKd;>u2r9c3zO?5$FPf41tkO{41*#1(w>T+5yKc1*n8 z3*18sx+YK!%*?iS;fS8uiB@MG0pQ0ZaH)Wz<-zgsr*`w-fi;z(md_L8D( zn`Xy79kmum^Me-gi|oTP=j8ie(MsMipg%i)A~B0M&Osukct0c}$D^0fJEPJm#o&Y# zr3;?Z)H9)OA?+ZQRC?i5ZexuZ2DT>0iH{9+-)R}@ThgU++-VjI2qM3o zB_$oWy-c_-OlYyf?CK@{2_3<|NA1=q?$8u-@QHx$S6NW^BP9}0;UY0DOWVkI*&o8i z1Q5%aGwNa$cT< z%rZ_q_Z6=L-;w)j4awbQh#5I)X%(zFF*}{=J6%^L6jT*8j{JaN=mgXwFhKwU0?z{d zoFfyXyWrBjjX6D%(w*H-KiFS@6b6{JpC)j<;0$5jgy5{AL#1dvD+0dv-TiNc)Ko? zNZs8_T*-NGnBKEP3Y`7bcm&@Io4C}QfSjVS2#^prE?wtaMg|!xoK}JrBrGd+(X8yrDi!IS}HEHh#B4=bZv0cyQP`IMiFtF)wqwgjX_an{=#iv6e$%qw$XY;itB zNaJ<&$z;v%3hf%kPDd*I?qTPcV|R*St4W-pwm1+&pwT2h z2R*F2*HbD-v&gu%JPz~|u_%)mV4{2{57UkB4kB*88QUU@}f;5uSLxXfmcXxNEfFe@T zQX(y#Lx-Z2Lw6&{(A~{>XVCq9d++ae&UMcD!^`VpX4YEoTF-Mo_fzXt0eUX*)6X=v zn<8c#FwMQ}f3+%;j%B*4^O=@N5k7H!YSc(l*YL(l-DZmVTm0$sdH-(ju5h5VRLw_F zTP3|Z#;_Knawhb;pbMQDzcwcOX(SJ&t-ATC&gpkC?l8{D%qLRpLMoRh$OB?j&w)3vpxz>M17HB=`;gM7bCc^_UnPRAW+R za@C2xJP!u<3?oeWRbDW=AFhq$?6@0PU1FiSpnYd5qW73uX?!};F6oF{47U~&d&sfmeT7I5&4bbEU zVpW3X8Fb0FMt(qT?d?fuf1(gY26!A1$9?Y)W z&?IHK#_2!Y5wQ7>Z-i_7?i){ak7ABij`w?qXuV(|cKU*#L|*5ma0f>qNc39>#(-8i zcDGT=0XQsRM}X+wjU<5LGUF1xU4OlqRY;dTh^5iz z_YJ}l_Np81cA5N$jO8CI7FEDe!KIXv=OMxynNUd~pV`e$jjhLYs4F$eA|I2&Vy1{* z{GL*~C-6;DT>jMeo;%6U_Jfneg`)o!~p8&OL9sxW#)dyStgFm1yozz*}l*MJaih^bkM8bd#P2r zQ&LIHtU}%EV9nsHu7U?#4fO4`7#bU$>hJY&GUFqCmE)SJGVgnGW3yjc0-4sujWyTu zXkPC{ilaQ>^0IQNj6v0~Vlp4UP`CTZvZ?}+eljU)TOU69D&^YYaA8^$u=DHLSzF6! z)V8&?0a*rx8>UyLe9wdC>(ZD21N$zUv5YUkGx|+9(Dk+epF&1P2Jj*NqGPr`jmd9+>v{+V$%5$}_^&D-AapFTNhfbeQ$s^TOY6@E2pVEF);JA=CgS7c9|LX| zK*V^d;JWq&2}pvn>um-mHaNlFl{s+DxF|nF`o#oyg+RGT2$j}on*JT<=i=(Pac$P_ zAtsa6v-9>o-d3<>J(G` z#Tmc>arXxt5W^o8`h>mK-v_eUwctQNrvvaC*58r}zT;6Rv+0?U(PtskkdL@n?+9@* zn4vHB9Ntr{av(vl*G%0RFzL6VHjFR5g zNCc6WpfBry!bhLO19Y?0Znfg`2nRJrcE!-uwW_9m2~#%X-p+UQL$ZlR<6csBU9B>V z-?AB^4NolhqVXbuWe>gA?z%^K1mfQ$ScH=ho z^z;l|`opi^4VcJiN%Y9Lb_5EO*xH80097eD zl?;u<$@kFLU?sW@ZYMj2^9z7o@Q|efh5;=qT1CL>jGebz8kk(S#wB{Voj9^sv{oy+ z_<+9DiiAp_QzdfffRBpMnqlCPH5nWg^6Tor^RVig8j0&UI4uL2y{+gI05^E)+AQ`y zIep6(2qdM2kD|vT6V;aZ&PBP*-g!FrEtyjHFr=BMf3j4TVn#&#dH?v5pa5319r?hX zQeO>=i{)lxPnugIu}b>?(r^%LqRIU=<|h}c$du`Rw9j9lwm_x>wWhY#<8%+EdwPul zUrpsV6)$kGnWX$53ILE^`Mk=o>p3`MHgH4OPXdIL_h-BSk{jl|sS}&mTYxWaYB--r z2pSQ+@S?dSMK(Y}*hRwpf2wRZC>8u^t>F3al>V(;c$npvDxVhMsfgFsz6im9+rbY6 z+|EKHxOy07@VLpZ_>*)95F4zj`VPp2LHp0{TdKevn;*~-MmZc0#8T+66i`4fZvOxH zr=Lo|MHf>uiY6nvyMrN2UYqh!$6Jvq;k_(Ga3k96jCHBLSHJU=SF}O;Ai#p$s0tLI zd6#*4@NJ_`zZJWdaDutTGIuON#^W?Y&c|P%x>kLtU_nCHW%4tI3IF1Apqc&A#NeIG z(6jHl@K zrygK-l;>KYFGWi9%rx>MXhWtUqSB42UQe)XP4-ro*yuskVU*GWSk0 zxzDc=)4*VQGqoAVLo_&-i(Tppb3Zq94%TH2TVCc;&`ZWkKDTMo^P>*^DpTK5B(2G< zhao3~*z;lFsxtQcoV1+J>PfLOgR2wr#B*o4 zeeZwS*Uet4rg|LZYKlrF&C5g{tVHVPtcsiI;|bP3B6jKzl`ROrTigOwO4~N-e1`WI z*GY3S)8Id#5@3wXVy0vLm0dBaQR1=sAgfVjmmo3u2eP4_Jnrww{!O+UI;0pA@Mdd( z*$$7LdT0B0Y=B*(LY#4qnjVwtY<7YUE`h$q=vH#@tAp<9#@VU+^yvym(Is7u|oDU(Y@Px}oTae6)RPwy_dUm^pBtM88TX zT&{2%i3>^)68OiPFS)o+1m#6}nEduJBgjDQD>P&6-2j1E&_E--&w+H_Qf(KysxD$d zvSUeiM1tPJKeRk_LhgBo_`y6}rQlkCP}%=ie-d8lA=SMatikX*B9ckJIQuvyKTB6F z*7@D~^%;B(2o1)~x(n)lmI@~JTqSC4B{|vh#Z2RUBxB>h(78$Ov*7xo4Zg1+M4dF^ z#C!UPgALEkqkPN`b3*h_2KN1T-M_AHU*(*fZ@|o-c&Tcl07sk_)o>4~X~2vCDOjrxY3XWxmHUmAWoaV7wjQ{;;&fYyr*GI+YOnc6gHd2R09q+sz8T<{;t|r!DwSUl(zZ6Ea z?<6eKdyL}$IYE_YpXcVZJn9Bo1{xX`PS^Q!ykpX$x5t3m+ISqq=D8j@)fCN~)*bS; z9G=y*Ii576UwN!*w~(wKU%Q;TH}B(S^rc@_yu}fVw9(+9%acx0U{jNC&r{WGrDb_X zps>4Y%`oB#RyRoRUPs8=?-)aGl=vo0G%riHd2nC<_%P=#vRoxX0P-sn&%Z}c;WxWM zCvzP1wwV1dmLf2(Q~b|H{23`Z1hvs;(q|;lZIP!LMZ?Tp z`dO>r3tVnsE^rzI#(K{4&F1Bw-~)Iw^*~G5%h=wkX)&!inrpqp!>T6c$l9#n6AZ%J zdtn?ZVEuh4069YLMujGzK)dR43!huZi{;4BUptsn*PBZn0>}Br-oefLOLfaNdXr;U zmwiQ>>s-uvA=Ym6&6!O&%<2OBU8LOr5(A?CFNz`_{N390NcMotP$9#s(c*;*v8Fyn znzr6EHh+T56QST-oj-G5j=DcN8{Xx2uWs3^v=+n+ujv1zVv z(x9EHwPJ%+Ip1TV$ha{r50aExs1D_o78<03{8zQfC?3p4WIY=n? zfVk0=7eBA+(sB4j6F>IfDwnv((eL0nWrST;8*zagg;bJG> zH}5!1;as4D^*Vub$S&f*58S9j3kQ||gU7K7+kiwnzMYn|`M_FkmeUH&NW%UzlSm=+ z$Hv{ln&~}>mb!zDZNI~|tSCLcr&sSb=lGhg)vtFjcJrU;`?lz~sm1CJ$Sc@5ZKzev zIPiB=Boa2R)YqMZ6MR`qvk@zD>LG%y+aTlk}X zPy^7b2x0eedx>AV!q5Fb==1;QPfm{nBO6XKrcc-0+E2^2s?>fl=G^`}9z8I}c>U)J z?YMkA_!c1&J%}eaJMDgI!9gA~MrPTNfwgz(;m&_nGqF|B1;D{-a%Ro1dyJ(sq2%A; zErBi3KTB!uifs>|4?9GExA$6zW${#d*Fb1y8*4L|sr^dn9l->HsoCEjE`EaF`QiWf zo3tyL;gTx;3nqSgWj8=&YL61dMBO$Pu@IFBRnKG?Fl?j3P_L3@a<5d6&BOovNW2Q; zsjb#e%n8NG2w2bR5cADbjzTT-$S3XC1EJczgF7bGa!W6N!bCCVt3HhBVKoRh;C{sH z#KG)=!a}TbG)6iLi-({v@sGZ6XkzizV`>n6lv0yW>Sm=GH8dWYIHcTG_^7+rdYDsc zlQb5?cX?s~maC5dh3=xnbwOsX+QhID3HM(UY|K>-t-PTTLS{g35-V40kJ5(K;&Amw zBe5RFCuyMU&92scA84o;I*nc{syc)a|w-w$+o5H&~tc1+W z+j+M^@#3rr)(QuQ9*l?m%)(u3Uvn6t4t;j&$EF)v!u4!bA>xg8h)AElJQ_7U`58$P zcd={gx7T|fb#(X$6|P)|oy{@h9}w#?@xL0lP^vwmA?{4+61r(W3sZPH7&bQlF#VtH zXN*+LdmCYJu&mJA@;^`8_S;(bzgpM7-e1SO2)(pic+QFwqq9_Q)>q*=o}^r%l;mrK z{dC;17m18$boXfv4d96<4968nG)mlbjJTLE%#p z^EOXWzFm)z@S%`AuSB!r!?U zU~~MN*R`+LG9rhsD_q*&8kAhhBoID}`l>psiaoPY$o-H_H73J#JE{NTFW2$A~T??d@zMq8mHnKp{Tk(R!A5$u)xb)niTn|?V((;P5?eYnGskvR^Hm2*u|QYLgtCj2_nqu3QE>g^?bi(xQkJdWMuHm?TcqVWFNx4Mx? z4d*cBbab>cn=eDxD)>p!1O(|xilmxJ1i-s$gv?CE#Kg_a+lds!8@K5#z?Ql>pK8%! zq@0y>9?P1hnY$=iS~K93qK#@KB$eTTK(!Anz-5iWuJ@*e>J!etQ!w+hyNi)ebR|A- z69_eHvQU#|BF^Ea$`O^#_*k3zV?khV9V{2CGT7QH^l~7oV@>f9-LfW9aiEP@ge%X$Nd5P!Ux>r3Y?24=&wTU;Q<`+*bKqd-(h{Z;gxoAE(f7=Taf#P;*vCzue6_RT`yu{c?9P|MP3%T4Iu_}#|9gfF7spD}NnN4ujyIC&$W zM;xM*|HQhyw4j6VYpKR@fm%$QK5s#49M%_%0nC_cRU)|*YR|(^@j}5w49zwYGQ>hN zk+n)tU!Y7qs0Id9?|+rhF#DK7)|V4acTuT{6*ge2-zYayI3QtPfZfG+G$ntgnThtT zAX`5=D&}nM^^sPu;DkVzOF z?e38Ij`s4h*r=sxc7CU+#K5BMQOmj<7nx5}IB)xQ!W-R&H_lX4xhYO%Ck7^vj4iY> zU(`%hxD`{XKGv57P5}Z$*;KQw>aN`m=#;`Q3a!9Kq%W)`Whprz-v!#KKZFw;XfZv* z@k`kmjEx}P@c+HJ205@<&ANum_2m~=Yp3qLvy6#YXLFyz;=C6%TwZ4~#j(#9X)%m6 z9#4vxlUz;bN{kklS3!_+ttQ^syNc-2B!of;xQ;tfs@+avU;b!ES7TDt$#8kTzqS2E z@AqbnI2C1Q!i*|AX$f40rZiUXmP8~}UZZgH{Z^TVvsUvd(&8$?3&ZXxwNbqjVtw&7 zf7MXjUb)jfYHU8k7Gfp|6-a8eNR9+vxbOx2QB2<_*sz^$+H@>+&q*86#jw$*-N%{j zJ2;Nh3LZ^)dgPlqK}~eLH*%J+@03E*=aK=tjZ>w!WgYHnVQkRD<=6n=f(xxH z9i&Xp^>j|EblS}#OxcI1m_i?^J#j06VaF+q$H+6jqQ$zDUPup7wt7Pqy=(HRzCC7? zPqEmE@jD@O{zjU~HK94rIgU^`iVl92*MAKh8hK7vu7D=kH6s)NMyOeJxdK!7jPUE} z*QdOYyTcA7PEpesDi4%-7bNn%Hw}7!unggj*&CwBk~CfKe~u<;6PRz>2p+>l3mY zP!bE3!1&pZ1J`_c01g;f{?Dq<;sm5Ggk~2_$ zc}_6sn=Bj{|Lcb?*|4|oaQxH!uhB5r;7{;hKsHdE0Bte9C;ZQ!l((~L7$o`kp#}Z} z4QY=Wbt)B$ML$?nU8EJa2PcE@Gz~*y;on+mNfXQj3C&tB)8*{8TTB zRi&3&v&#A*MR055;U$@+He`UfJLzbhfp1rXwJHByIGuvBl*R3@TQ@qgA`M0Vyp3DL zS>E#MRgldc0>rNW2c}41N@=S|`h&7?kjkVb-~Hw{C1o#jprjFhK)n+thE`faO0DRgQ2K)0Byt=>KjXwp^5O8Z)+A!9Dcz$gt7P{r+)6c}1D zChb+>3(NJ2^H5{7abP=@6{A>8Cz<+2GEgcSAK9M7-yet&uXiep$8(VaV(+5;?|^B1 z)`>U<{POL=p@$i!C+KsMZQJ5?$9b%#yt4^tH79PWwo(3%>?A?FD~}Nx_iu1hJm)o3 z_+(2yfGeF=MuA~Il1)HaB7^R4w`S!D%hFE!tj=vkrG`gUb>E0!B=f*0_lKrMBzC%o zb(eLM`LNRh)q~zl^5UGh;jCOVt}J9XX@t=eD@ZV=f@sP6;?g(WHLJ886gSDE9VEWB z68yv*Z_3tlN60p3_z6UI>)zcB3i!(2m%vJzcP5S`=r=L_AMaN?}a$-((Hah^o@Q(J?na6&8xI}vvbGA0~6N!&&h}xHGn8z9RMeQ z`5lBzGt18%?%vN6nB{)7AEaEG-WwtN(-fhO*5)5bgN+&!xD#KGM>Q#}8gOHgP(|Ja@w|Y~KHe@+$Krk;*9m`Vdl>KK zIj?0zX5VLbH9^2j6rm~fx6MTgd9;Q}p&xBVT&NA)SjG5GcO$krHQxtsPmvp^ZJDn> zjgB{AH7cdv1<6{*%g}w4ymragyEiB$q_h;*1Zq)Lq%Gpt-*E)+uzOwuPC1!n$jB~1 z{Z0UQkkNcyi*mzWy4s)%cg7BwcnC)EG7_%Rf&2)4p4siAVOhs8c?T3gFA9St3@`+-Z z($hl^8i}-R4ZmFreiTKm3A`R>?J@|$Q(aq(oO(chKUfu6wLtJ|DhUXU3IW>|;NR%G z;Tw@tluM3_`;3cvJ~Kj%J-vgv4=J7NO#fw7#xMar$8PP$iWOVg1vcmn9)bW?5&tHD zlUk^`U&eokGhc`o!pOn7V@`u!9XmAxKy6mB1$a|229kP!0|LEy@b{k`S?kF+v?~?D z7GmaErPPQbJX<*rftNc#Qr#k`s)#{oH2+v(O2SZ^z;jy*qjV&q=-RL_E2H$c9j49! zOXD>CP9T=-#{{RB4?uA^i(5VCw{8arAn2~?UHdD5vp)J?ob~_Ka6PU{sFdcL;b|8s zP$%jsi4wWC<)B`{;)Qz3O@4uq(!?L|lX&8z@2}xRs412{w)jm~W20Z3%k-RIkCc~A zA7=Sq_6lAvPkWm^L@=iNT3cSm;bk2(G`debl;eNI;rrR#1Hb3Rqq$J5$EIAYEkd8~ z@JgE-y6-kpmg9A(QTSFJjeXFBk&~0t%*@ORGWqF=8;}AN_@)QlY~CX&SirkpHLZyD z223AZF3U!on%|voQi&9&?wdOix>#BKKwW;jf;Oo1XqV{`ku1$g#!g@o6VuO+FUd>_ zS0Twh&!4GW7#-$YsMFeKvWmKkRmv(7aITuD#&c11J|$0(R31rN7~t?`H|J6;RXD-V z8&LgLJHc0hg%7=a_sUFqG*G&BU|?W(cNa*ar*PS0oMiwx$`u@*5vOT|{q5ARPXY1# zd9SEynwQ?a#{bf%Q=k93ccLNZ_7(Pb1KB?N_l|&#;Op zF$|*_-qP0%_D&X#bIq6ac~pmvrz*8Zt2H61-RUN7swJZ*(;@+G(D+&~_I-``HP4*2 z^XvU4qq^fxF=`0jdk4U|yN_`067ImAyZ^yd-}GSR6RpL`v#eHr_tOX!cDX%pkI=aHJvO2@{le$hy z|8o*vw~N{B%h|E!BS^;+Z=es$*4LN6!~6+QxU9dT0`0P92>ZD~($K+0r25sQrVhfg zCfs0Ayyo3^Po}G7?aX0%fw0T@yPIZ&i>)_!Vs@fW2=KT9=>I3pwKb=-EfW@O`3k)Q z!B3ecFBlUM--_&XUfNApuA~$99}%? z^1z#MOwBm`QR@V+TNJ*mn}Jl5z!Y}`P?46fUXR|$QK|-hzJy6hU658Q=`#Dq=sqDb zG8~@@ITG;k#Rab%LU$Kh^Kx$AW2|`;O74%6zA}wltZuS?oav`LSGS&U+BM^jNq?_L zOH4yOA85|wUGRu=QDV4mXWV3S#xW57DN|5Q95H-Q;ppg}dpkANF%_pVL&7bI- zFK*2)*yPk1qPvpIEPHQbK3-E+^)nlc)&6W7L>Lv2u8wBQI`VRVsA~sMQ;eXTh5qr6Pr-AIzIQ&&~)mTZ);vF0HV2ID&ueG+QrV~l$ zv<7_nq8z?cB~`^KcINKZQVmkAdDwfgM9R{^jUvP8H~rPqr5ZIn=8rqIQOUb=^YUnD zXzZtJGknQvYHC9LC<>x1>a>c*U1mBvk@H{Ks1&MJ#7YV)88|z$?KcA{ZZh;PijY2^ zYjaG2{iB+6&-0Sibox2G)(LHP!vY@c%}*;^c0(*z!&S}4ufFDx##7VHo>&o0E_^1t zQ1kR9E(ROjf6zJ{ovWo!Zn%?sC8{Z-xgm6ia2*W<6T1&aQS+~gWjT)C6{3Yv(qcr& z-2Kw31i@QhUpF>3uB@y)3VRmn2UN{dXhlj2XRZSU?ZO3A$?t7q(}1efY|uhJPzz%~ z8AZIs=Wz9LLgtvb$z}QL{*M|lhojM&rw0qhl}aCT4Xdt(-=Me>`fO`bwaPfids|HP zC+JsN^@^Pta`TH_-U&KlFDk8G<=Ii(vXNKgfu!C>e_RZl1XfTlt{x%b?82gqY+!se zwRL$}*~?-zZ%?mKYD(-#i@KyF0`fI+35l-qx6+hTqO>t*T{T2RL`}qijF8uCR5zIu^xAAgIbqlSmg($yFmEU5>-lw<-xu8q*;3-LB(E z*vnMr2rC-b0zbKh&!r?VXYuV?HJ*u=wX|Fo;7;ls@acy(2xLFK;sa#U1PKwv5i7&v zvY(~AZSUw9Z2`uUbnb{G5&bErpin84?8$`#)DeGWcRKki^hKB0Ju{*G80PG^jjLzv z%5s;IBb+gX{baVVT!Fp$c#`w;F7o0yO+D!Y0oPpM{~;4qDxHz4*dD=tpN-01%_2(nmf~aE_%wm|81a2XaLU^ntCqj2m9a9}`fjP7_n4Dbzbp#-dul}&c4ZMN zO@av_S9YiK!tMYb=e6$hy1cbAGlbot*yv6{wusQ?r$j-X( zs#Fxw7LF9T1iDvu2eXr~A4=kY-r)S5q`2k4l)g{?grvgdoL%`gsid=yPpX;pr&sK9 zNe2M20R8>@JVmgo@$vCbN!S)-JpfEe$I-pIHz=Bm1ai3d_ir9~MwkYWTZ0)b;5!m) zD*f}0Wl3@I)A!V%IE=r(daoE(RH1t=B__H(UlQ4RdzJcr4oCG}?=RKZ&r!gYqV15Dcs+L#^ zUsXt!OHSkoSzEnD^=n`xjH8&?0837(#<~nx74U$4X}le*RMU6?rtrs=DsR*V-uVs0 zDvd;-x9q;CK~JA;)g&TAoO;vMtol6*=$KQ>9I^xcD<+gqV1G z5&&Xiu=7_06(H8`YFl>KXQ%I5yspwJ-DU2+?aa6xG)G1rtWJF)Ui5mQkxBFrt4ZQ& zq}Y%Lvn@!bi~$~!YsF1VR__QNP>)GI6elJh9~CH7$ZDJ{ROBRYkNHqC8%T6 zSi57HA0P~66wB9&CHfsHxH5`IFPz;WP$YDb9ae|c_ic88FL@AtaHsBE) zk4%!V3r5x!7fq;sz_+5iAqn(ShccY_3HSBM73v|^tiL5}hRr0%M+M4qfA5~)b-T_A ze^(M8A^3X``UK6~MicPfEccDaa|x4d05MhJzLU1`bgo}+<<;rGqG&f}8T$tvGqzws zUg~sH^{=f8B`iF=ALT-sd(w>$nTp=xGyRf9p(j_RddGFiV6+v{-GGC{h+?hC1R#wM zncN=!BA}clCFIJtK`%duV}z8Z&NlGuPqt6IrC+3&pnIgOXZMWhpdLR>_*Se!bCm`Oa?t^*JaTHiPg9bPyqZQv+9lr{eio_Zn4w-ptgf^kn|@@LG?Ka{ z`_uHN33zI<|io%m+D>gkz&8Gfr4H(KUgat}2$PUwy$K==mXIJ(r6!nJQl z4Kleq)Hxri>`mIl;(W4)b1Uk-f0sl>EOXX~6E(h9N!fMa2;0dbjRm-TNgkM5Kok0P zph*Y*K)-VcVTRw%&Ukv@V@F0ts%6Te0HV%H1+x3X?!@h|yQ)inuF%ZkzPC1AslMFV zUIHToc5bMo{E_YoWHMB~!qRsyLJ`u#(Gh_)sv*7V-#WrWVhJuPXW;(tIG}|@61E1J zTr%A&%G~uXDZ}+BcAj zWI|D%K5TB=^C8G3ybp%-^$}bn{$y49u>i;iXeqF=dxOLT1cnIZrp53g1h2FTW5#Ln zwlDhy8j%0@bSoqPVPa6ejhZdRMz!-BWYO^d<(RVGMnDEIDp2ikGmVKfi1qG2Gd5oW zg#QC(z(W8-17PNR>!05f!U7Jd0%1i@6V0TB$mBlp{uQ!?d%k-tM?)!5Mm~SHQq|>EIDa1bx{A}+0N;Fb1YNQE-Oe&Cn;~OB>q2`35yDW$ znn@eHVjmkD1BC0P4#Eh*gI51#geXpEWn_1rcRwA1D%KC8Ies=`8VLt?SSTDssg_nM zZ(%lAWiZh?KfNM`Q5W5P30Fpj_e+b5lnD9dOpycjfc6vYcY>-~t5@BzrAhR2yz`Zb zOi=HvtmiyCM%tobKIaR5GRppNqg(r{ys&aV!0`=cNM~5384w&OdHG6G3Vh1y^Q7;f zpphByWUO$9K-f#?~@Dt)B@sj%^s|A@wEe(oASh~25PTM?5*WtJp zl;{HTZrmWmnNL@mVU82kQLn$g?^i^1B$j*Ltl+A_@MbG{uQ02ai=LIlH42YyVVrvHMLSrWUxNOMJ5GEErAq<`M| z@*~RtDoAu{tHvyx6zSy>3*J`pfA3Ddp2ymHg)c-cWmQciGDBkMs zU0EgJnOKG=F5YNbz2+yX6$vsk-}Gx9U^+@Y9cl9M^i$Z&S-&XCDlD#gx-BSiHRBrv z&r}2+9=hHrED1@mXcD%Wxj8-_-g~-?aLG|8iP7F^p5q?ot88)3igjbK4AyzQ_M_3d zx5ty9GFe1WeS{DihMGm{U;Ev|aeheYR#1ZWJJINtAMyt+?-CwWP`N2;VELAz&q(um zexLi6DNvdEKH>DWTP6jgxt=jyQQq&^6- zQ9XPru}F*%coV#|^&4k*`$DFLiz(S&!UAa62i#x2t1lu-%A7b#{OG)ZOq( z{!n|UQHOn-9VQkd6p#M#@fV7V0&mtiFZ*5LXYKWHp<^OAX)yl2)JG0UQJX z2{jwc%G!#6cA!zmv&N;?fDk;rr{a1wc@er!BjQB^Ot1Wmx*2M$hbGLvMAlkar6PL1 z#XP9nI*E6r8pvF;ruML@Bb*~U8&mTo*RdWi##1$qU_58`kwNcHQo@-TC>kt@L%amKSHXJcdV@mVi1p`8c!vAf5;O<3IV~VB@ z5FU8aa6#N7CB%7eaL#RU9Rq*Y@bAB@bNJPcextIaq@{q$0_G5CL^hHBL_6L2b#jbE z-VTu*`BR$^aOcJuvw}z?Osr*Yupw%8=)Y2+CDXzYO-2)Hb?3gdxw!0M6*c)eFYCe=Y~lR>^AU>o4Dd9|&LvTU$lG zvQhmnyIN1)%eMbyL{axMAxDmE2*-EFh}TtY&7<#}Cl4G*Tr%FHIxZMo!wW`)Bmff~ zntJm*>&>(_`K#5AgEFcX`OiVX)6xcApSOGzTFU5g>R`S36KC%p>fH|_jSL#@R z->1Ex!t%%O69oLeaxAogH^wvFVoIj2qZJ`Nxa+FT#YFLSg`Xe{5^cBrV?~XM} zcxt;78R*&r=n{IiW+=i=RYK!{)bszXo$R6l>?G;~voM66eEWqgQ-s1YJ10nmN?O@` zZBL{)yZp2C+?)O+#)pCh;;?lETMdmA7F@MpoW2%g*BE$`4-Ff^mG-Nr>e0{ftRza1`*62C;{$1`*X4n(4?%2#vDK@& zpRTWeM&P~Fv|4HSJc91jW~NY)J+S%Q0-Qdt-lfIls^FowP|tOgdc^qxn0`%6289@1#qQHdFtgm-7H`DHv=H%)qd1=%S-=Xmx*e#{4Y2=C33=7TEBE>3O+%e`}}Um z8gAaesmHGNg?_6S^eVkb)_h(3el0snxGte^f4MBe*U4}T;~79;=koomlM}-dUdnq$ zzf|Oh@jXA1I#Cr{(VkkGt+w6roLCDxcu1zC8rW~tp4GZc`F_m?@Nv?l`uk*;{1!aj zi{#-|Q~^$g#>PQr@E{FB`>5%LIHUfD@oL0HHy`w=)JS`%cfJNC($lGU(YY=A3&_&H z6g^K+KF7v$2}6`0{3nBm9(=(QaivBir$TPG*bmnS(0#z}1Loq_uU`kSPt|h`u>7?P z$SKa4Lhyn7d%#$z$ohQiYx19Rr`f?V!jbQc9ZEZ&n1RW6QX77>dMivObkR%Q303uK9fL`wdr+N&62!c zn)lHf@x(Yphl00`Rc<6ppkE6|m`r-kGF9PjHsjnpp^TPU=8uN2#u2cGI9eFLYs(xA+;S%;FOMM*%M1buxk)|-PmgiCT!-CHEKN)G-{+nnBh9&8Ai+;+-+is7VnmJU zvqa1k%9W*Gk1a}AuJ9%no(4nI!*vz4!M)M#Vas8AAPZnb?zy-#4qLX6zg_YC{S{|y zD$=Jy0O@`^uU%T~De!n*Qc_Ygi?`!)f%|Atf{t^n}pa-&Ap*49A2&c>!_!Uki_6P^12k8Xg7#JcholnFhc| zs`Q_QkA(8~k!*`zFMGzu#sdA2FEk#3K+;HmeGcTI3s5VP!-iC1DyXQ@HsgU(mQF4$ zDShSqaj|BjjQ6&L3D6`j*XPz&eg37*y4O#$njjjwx+FwIDQRh9h|z$+C{TU|>;X{U z##`a`MjVftC{2J7D4J`2^W<>{1NDenVX9lErZn&#V4I1u)ZQw4tfUN>m!ZU{k+-+E zq2VjqdLZwI_R$^KV87d17!1ttBsWl)_U|~(4+gO=&R>>H9DTV}9o*Ny@^0lM@!p}s z_I*SjDmc1szF!uOy>!b;;H_TSkw@I-lBHDSVi*^KfZ`&o^mBsQkk`^n6Z< zrd|lj@jW-@Y$QuE@8_x?dD^x?A3K>K))+=1`ZE-Wz6dmS3Ujhj!g}6w_TUpm*CmU@Iy~j49O5aa#Che1fiU{IOZDX-Ki@MDeyuUetZ|%4>T?eFue|1DrFaYu5HsOkd^|qneH@-E>3l@e2ddpc^hk3o9 zMYyY$72tt+z{R_RpFRtzxL(wDrYY^^_jZl6+0ZJ9PSYWvet*&Ckx{>57(sR3S@q6L zm~4P@pg^RKzJ`v%=6ths@X2UnJFD1^#)Zijb3(PuMzw>rMUy%s4dbNe=cbH6qiSdZ za2`PFVN2#Uki_IC7lvwjOx`cg0w-=)zpms_f3x4TJUxb+xE)+zqV7M@^UAp_YBS&7 zA*trJU{h{k#Bt%WbvG5U8a-ubom~1Vo>69Q9z1+3|Mg1rY}0==4v);WOwxh z<#z^NLhu0g0Ysbt#0Q|mw+LVcpWvv<`SB|Hq$pj#$dWiRqB=pprfB`epPc8_!FM)ZYifi= zL_}DDg2iru$RvQ_@qpo>cXCGkwbzSEww}{{4lbC?RZp6Jl(d#L4{a3Zwx%ie85nIZ z1!4E%V{CdNfH0^NSC4y5?Mc1F!S-E4w^1V?*X`ru zeKcV-pUiSS#Q*gU1=alGF2|L`wSE+))gb4nSt;yizkmTemta5(Ax6e{uc;jdG&=(z z49JeXy}h{?8E|AMh~fB2X<2oIEMT6q-w0*OpG6eQGYQTO+kE`E0Z?UJbaVr3pw<5RKRP9c695%HumqKX0GQDAgy+1S~QT0sE1(zk!l zSrjO2A%5}8at_}tCKj}j{FnU!8(0I6Qto}c#qWJIUF&H4zT+;)0Qpt)3-fTG#cWXx z3I6CeH7ZP_nG-gV5fMGz-DGg3nYe{0&;Dbbpv1*(fak2}0^B};9CjNdgoh~ehGQ+F zI+9i2x*TwUczIjq1npb6c65a@};55w`iy*@9!W<#3`A->mQ!RX7i?wCgyi} znGl<#rF3ZXrgYz-f_v1+*Ej8r*waC#?P@f_$BqeSqjw*m@@X1)hB5(Q3=A3*gN0r2 zIef4ZiS#m@X|gpYK}J=2)aqI6m#_U!-?}n2QStCht*z;S-(x&>}KstAY#$}nGWKGIb*yr%cRV#Jm=;XSEi@P_*$2d44d z%LzrWMKwp;pDFmh@POX4cmurNl!Y9MlpfSW^I^$rZKgvSY_C8qynZbkdwXUkCLn4Z z;~zrF@IXA(Zn|D*Ab)f=qW=pXyj~ZywvkxHC zP5Qr3AI^}Yu<2n8*yB{`P$r0IwuMoJPS%wMdxDhX1E-<2ZYTSn%tj4< zol2i)z}~#STl06;v2Q2y=F8imCT)D$+k3th9=!DDi^ngY&Kz~1v|3LyS>q5N8ms&G zQq)xjl=?0GIfvO3b-&~9$}OHh=jQ}=SWXjdV)=7Fwq_f~R1xEfEqIAJM&z_$RO&@h zrRF5CL4*%S*CnB^z0uG)ArCHB9V#A;w(d7}b#(z$uZ|EeXO2St*LiMaK9c7%c?rdL z+W4LLT?(WBosVL$8)(+naHJFxCt2FDnHf#ed8+=n`78-X7f5PuR88YIU-SuH?V1%= zYo0Sbo$%X6{gwMsq^6q1G{TfO6^IvzCy&#}4E*fUFB;EE2us2DT&GGx@&v$w4JglU zD{IGQFB2U#a&>jJv9WP;8*M71y*uJmPo~gD;1RzvdUsExHTLk!X~(ht=a$_o8T##y zPl*<@w!qlLV^fnOT;lc@{itco6iwXnh0@!>qyj15xAuGYZ76?Y5`9R&JBPVq^^355 zY>AFhz3FVeFrDL%NbQECFkjqNs0d;Hge#(SEt1Hw2i!}U^xSoeer-6L@R`fKC>(<~ zsYn%`pY9hwHco%r8jfRsHqoe&-PYEh9{3E3FmXV<@@*z?tx|UbU_J+e;N0pGed~tZ06F$fu#JDNRWT5mu zFFPF(yH=pd`?*w%iuO2{W<4RVV1H~$K}Qg4kXKkBCT;CS_UwgCio7z7_pg+yR5?}K zAsLOWobWaOKSpX|U^Lea<3b(9{J#EW(GB20na!znO$S0$S1(P5C9-gkyiGh2wHOu} zaex_YoEoHOIID@Ih9LD&Gm^f)r)@<5!T#7KLv&J}RUcx!Hk=8qVPawV@Ue(je$)4$ zwR;|_fW#+qMMc`xyLc|x#g@s1FmA2*Sy^pt^ItP1&b-F1$9@GRS4BX8a*<&1R&_z^ z%rJmsVF7gv_1zWPsD1lD{f9MVa%stI)^_#DWl~~Th}v#rD!bPZM)e{q7Vu^k!}m0s zw6T}jAllK4xSxny2X*R6>{XA|Qwr-+R>(i#sErw`L3i=To z;lZD=?j|JuXHHM+^2SC!PENOrlU?A#ti~xLr2q9jr^iKYqoa5OPFY!5!1hBM7`;CE ze=9~kzyj!BVPPS_06i*zbQT=f?&ZO>6xDkAv&Q*MKrs(28!HKhGMb@sC;K94db6(!jKxJ(#9I*n3;w zlF=IbIp98?KW6pSS4*&z%4fP5><5KlH%ME(ootJIL5=b5z`Jw2@W)zA?ieW$;E2YX zypKQfd)rOdM!RbpxeT{l?ro1kmZR4~DPtE9CYV7}uv9}JWa#`DlL8VJTKoCJeItA&Lk`NT6 zyGv>T(jh6WAPbO^mhKc-bPCcPf*{@9-zYb-{8G4hSuQmm&d|=tJwRi+7cc;#`KN40aj~&leTtv`}H4$w^iGF%Sp+;cRrIj6A9AMOF)GvOLZK-~p*y6TACd*~YjyjVH?v3zK z{-TRQXWL<-^lgvnX^XGOwVIc^I!*K&Ex|L3}BTZKUg(_ zK|}wPCD0uWf)lLIGxxxI-P2`7eo^~!HXY`c6PdR5-eYPF$k{eQ+a21 z!OmRU)cHXq$soztuLyXmNfH<)NR>IZAe?Zu|7)hyDnECn(QVka)i zScV?&;M?{sqj0R|M>xHEx_IqJy)~b6Vpx5U_4&s$P46RizvhyKG?QKTAQG~B{z23iMX8O)$ z=VqeQ3KtIl*#rt1^<{)5+)@Sw_zI9PN$v+$+P^*5{D3}imrJXQ>e1I1{xcf@EEi^E zb?FL9CzA%1(q}~<7tqC3gOyXkJt;rx+)t@#Xm-(q_1Wjn99eqY4i`3)G%hVpA{{UE z){j>+wLLHK#x64Rh8u@6J1S;e_h}jAGZ&&384`1Y6AyK95=t{SZEFnl-Z^c!(h)IZ=D=<(Tng( zIXF(Neky zF6nWy!H{<5dA=_+>~R89yf~iu;&wSCM0wUTwi&^eTQi^6xgJ8Z%8g5~XRUdron7}x zAZAIsYv?A^7i>r59hN03Z=Jpi_Q6mlaq|@te+@_4`qhdFtIv7rdCZKAZv%>0qG$y4#JV3sKgd%X^za~%_6zrRMpAdM_=mcL zLSdw|-C^&~IZfgFE^a#IDFq!B+O_Hhku>{V6`sZ~jejHy5qV^u_0EjwD@y6zU$B8b zS(>?hX?pQ`o7~-CyIP3l(DCx9i{)a=^PD{COb4~2mAu=1H-}~eb~s;gVY)G6BQ#4r z(1>W1Td?$MOSknzn)aSWb|t3=dQa+%gkRN&cCLDzN7e%_kz}*c!kKC-O1|^fCSbzr zATFCLUo7sJQ09XaE{%@A20_*Q_Vl;T)hA!q-Y{FH)e`tE^4$LI)2@4dEQZOyfCPEZ z>QXa^)=w@+l)Xt)x|gaR%8RS{vY%-jT|%n}595I*9Ka{^>7VWk(ThRN^|BZkBs{m+*-L!-|du8m9~I)wlL>txD{=O2H>YWD_ms2JO20L zZe}^FMoeU3tHOIF*^(9v|Mg+jeiEQzPOhT1D^PBj21Z6liqYFw>S2M!Hbzv$ffqOx zDy?;O;r`;uRNpzEYpk8KjCy0R?(?}XL`i3@To*et!`c@@iDxZ=nFWayml5lpt_Srh zo@Y!udCwAcDsRJ1xmt^4x1xhnpDEL1PmaEC^+2tAli>D(iDvj_z`L6xeD}hPszmlC zK(Vq+y>`8P0;piSL2G`z#N1PofDO;>Z#!j?yVhhhAfQt9vg6`t6U@4k(VlWg@Qqh@ z8=lW1kLgo*Y;l#+U#=`Z2Mb(s_W%R{d5URJIpX{?VX?I!HeeGR#VA7X*2DqMIbd)TbtncS^qCy zrPh>h=Le~rr21XbQi?xbpl{g{s$sk|a)DSM=m~#NG#++Rp>uJ5BFf-demdsvxkCiE z&ocKqUD#4%U7WDoIU=0?ny+!B)HA;r}Xv0rxF_1Ll|ufv3vOE_zF= zWNb~wZ)wJ6m5}%aY<;Z6#L&7%J2D;x%dT66A$0w4-c{b8F`FE!JSTx8}Ou*vvbuNaC(0GgTI;o z?hRFTivTPiPA)V(RZnz&$7-rZcz*(zP~bv71Z*S$0j*c(t=HuVe>zL`-%3FmyMg9< zXruG0z-ft{+Hl))Ifg^aN8cr9_jR;LB8Qr9u7fUGjpo zq-yYmH|Cp;b|;X61c{Uj6}ZFOO#+H5{2y4BlLvK1-GV}*g}zo!aY_!TZ}NGJQhYKQ8T;7?aK>s z$-$*L^oh4%lClpvJ=j2P+gHuKmQFjjc&z4Gb4D2h;WG9ZrfMpNm+fPcDvwgBQVorx4sGH{!MR(WsKTY_HK}r#{)B-Y?J16 z|7>Wa|6N&&mXzS`LR%TyA)SW=L=3#*T~zVjQeA;UQX>#^3&rqHwQRZ#Xci9y& zYrmsXYM1?hu%$7cl_t-+7}7=%-{XPAX_(NY+boMygn%1jp8s^OnVP@W( zxTK~vtwUJfiBxsin>z%7)-{ic4n?}_U1$Pk1t=o9364*X=MHz{0(2@%Wy=SYdAvz%hQe3_3~FfwTq$FJC6!H ze4wkDsdeS*2O&+Kf+*NhL@3-id`ym~ z@`v?BhI$^!X~iQ?o`SqSNT2TWUYXemD(H7#4LoAr#^;{pD=%tEus2fzxjj55t=~xY zNl9B;v~a|4-&EFddSb106;$3_fK^tS1_h!&s0V)1KQMEVEck+Koig(4!7qTH*PSE3 zQCqm;o#^uZCF%aGkj^vS$reOWzlMcq_DF0a6SIBkG|HxN>DBwH#LKe)w(*igiLPw_7|;caGhuj-w8D@n?;ft_hwPQScLxAoGPXr zzyf7LaG4Kq9{@Bpd8XKFxr6uL(dt=DUz+6`No1bao09(UId80%J|7qVoa(z)k}9Zz zaIuT@SK!&`J*SQ-^olQ(hsvyhAY4HczT~XbP&v|22HjjP7zUUUppjjp-Xqo(Q?E42 z)U{Mqb;szuE+}R@s{e^*4?=?K!<_8a@HyxMxi1O%zMLLvDcKJ9=7mXdqlXLfUWq&$ z?eV*r55|^{!*0Dm%)9RymLU68@p`KIjQo>POteLjrjvczc)ux6x@@Oy@(e^|CvyK6 zDxz=bsc95{DyHwH8}46mhJ@etHG))qpbV3FT`yG98eW#hA4v`ZI-F4HqBG!$W?ERl z2cniI>{5CQ?WvOm18l?5nZKP0LN6!-#c644am%ZtpwPUe5XWOrmpC@P{df;b5Y$8E zZr=Xs;`{|6s9J9Y=usP`lkM%BKkHN~o=-WStK^ON2oau6nike`Kr|zp*%XD;0z4R~ z=>cIX-3SSEE4lWoPti-=7@t0bT?kdR!{<|j=eY$1ER2jVa)v;tY6*eho#e$_c?EDR z&XsS8W}%1D&5xz%SVIP;+m|=7OfJ)J4Kx|3#{#^l0O$2~?5o@yydw&{Le_dC3G-3= zX9X!~Tr$FsIaYhqU(Hu!g|rJJ%F`)}o!W{V+04*#22zwb_hlrD906fV3wd7w2N7qj z;pT7(YWcs1+tZMG4KFoap-H)!Xy{Px=LJa%+69w;QDKR{#k3f3o;T8c zQW!T3N%mb=H}bq&t)S?RVS>rTb-Pjh7UFGN!j<9l6U(oO0+f`LKnb(6v-et4A;G;m zxL61S-uZ@TPSRyV_5p(q!C>mWM$P`OP8am(4@sp9t{k5M0<;Ikch5AT#BjnEBul($ zrx=?0(6g5A{xNle!frTTk7=NyMm6uMt;O*;W?nzl-Xm=+=3O(b8tOzyAEr_f@O*G2 ziJo%nq!BY=>M;c&gmBxz9F)$7Uvh%015TV!b+`VkIN+%#9bbGUbNjJwEwp=}H6Ww{ z!=jK^X||&uKteJtm;YHyQD5Dp7SOpnv~A( zfqcQdvETYCq+K%tRVedy1cN|nK%}s&sUSvnq0_Vg)*ms+rwAZV&u{29j}>S*+Sx_6 zvvzfP0P6yX8cSROf0kW0XW{R>)RhVmOkR-~DF(C-xLboqBWu($CnoTgcjOk|H`_?v zNpz`fLjb_C8J2^5lF3#y4XjfdXMb8pLd|5N7zOK=Z$=7XHfB_OIs#iHNYrifEu+20 zI=9x9_qnL(ArFt##nZ|`;OT>VH~}FOKFYt$Voq4x5siTc3G2sdJg8e3u|JW>Vamu;6y$JU!{3c1$(Jy( zVC3kRiB-p}OZcSRlA#}J^bi$n?5HVEq);JrZ{c}(UpTtl#W0luNJZ@oScnZK@Hyry z=ZL_t*g>?3(j!!N`S?8aP)FVQ5EH=27T6M7i!^sut!``z+UI|FxjZgZ@35Pm4%c$# ztmRfipQ0q=>efl%kXm6#Gl*Iu2$#7!N`LPY*C&l_woY;PWNX0m@kmAwhpi0m5xj24 zvLq2pu`~4H(WfBSq0s?ZEl0iV$TDR@Iq951_NO%@-raBW1KpL@?0p@w=a3#LE!;oo z(1pt>Xalwqu5)?7ZXM~#F+)!&$IJGeT$qE^`mD~MTmdwA>cW3fh>C<-FilW7eKD~`Mi;N?u*<>zOItw249FRm~sUEz(>Ocig z7-dxN73nheW0c@w-4Kz6i)xi8hMSk@r;B!1 z_aaoT)BT*5*tM(!Hl9^g&OMh_Ita=7-qIKm&(dcNYBxaV0;JyjcW_utOibdssfU%W z-TJ@MHLmX?1in-)w!=}r@fC*#MB}ZUzJWFzZI(1gIg-nEMXkj#e=+LdgOfc=bVQj0 zEA)CH{YHEI;09kkpz=Xg=Uz2)v=G%Z+J7t36(L|yMBF+R3zeqmfuYrHpe61?J=XZs zqT-82YMmyxXpub~6r0(y$Z4Nfe8c+#@x%i=zLe}a5W-DoX^`a9n8=;4FzrZfrS;MA z@5z!@!xAHd;_m{J-*)f+C0#;$truqGwhGz3X@-;&s%-5k`%$=kzN5b-m|37ZhxQ>| zG|}JQC4328&b!n6+SE_Om}3NePE(|->INJF@mE(w9QZPfz$dMbZP8?<1iYBic$q&& z<(C{+W#R|CY!6*vVxJg9{(&34kljKM&#VC-~bMvP` zXYbM&0bUD&DNox~{^hqh$C|TLVBaP$^ZQJQ?5=dnBX`zC;QpiyQQq7f(XQ0Xv-7ET z9!v8CxzUO@9la1?=K4460~*mSg4?Na4?yQWp2aq>JaP;$l#&JbPPr9XVv zx6`RRc=H%DphWZv2-8p3PY(yeNOhqdbA9KHYd8|g)=SY&`t;%qjS5~)OSvkiA&$b! zX==r$*+Ix82O0W-Est?dsnq<=1_`@V2@<(y9=n+5a#m%*-GOW-*)x2bW#!d5^2UMq z+;V!(IHI7fC0>lhoV?C~(g%lRZg1iC?W$R&Ju0Lxm!&ZNCzV{Ji^m@wl+@IfbrTS2 zfRz>8Jx>xi`Z6)&@nijShG)LVYTUMsA$bQqTOH2f%_%%IdKN}mm6I%pxDwHQQ>7x~ zdk!b`wDbi-5CRe1H{JNFIB`S;kuOL#3sNu-w(h*sOr~IZsW8f~oFPqh^D^(kjmnk) zEwK=Bhhs!*x>-m>6Xtd+E_>YEDxTZVVp4s8T+2*qLx4NCr4W%)?q^l_cXH^zU4S!^ zCsM41aF9(JzJ3G#Wqe%OuETqZdc4y3K?KF!@qSzfm{DF7SLHIDt=|L7X|Yt?o^dH` zhw)>E4f`06?-ikW>Cs%r^1A&HPNi)kXxaVhTh*`+N0OV)ekN5v{gOZcc)4~gs3uVD z9Y>$$gYHq-muYSw@8pzB^!isN>|ad2!Q;gU#s{O4eLBp&*XI-j4(uH0WqGUs>drJV z3lnD94@s$cul%5YjOS8EKBTXah4|?JWQ9aVXL6XY>RUe?m-k*f2#Rrd`@(#j(p=62 z6>dz0yJm-xiiLL~9sZh12-YawY!zo0oShPOv7}i@*(gu7p5G8f*r zekzjx5VP<*wfWsru=JiC)IpS&j!8_OfCtsb4JkMR-5*W>41qA>RTiu#-hk!#= zc=EDU(a*fq+mw?fCTL#F%#Am~CMcz5OY+hFX0;Ha$rk@Hj-F1Gu7he*GgojSFFo8N zc4ewK?R5MUq;ZxR-664Yhy%1~JF9@&Kj`Eg(Sf0qai=7?43*~JQn1uQh_kU6igK0N z3ts~sHawsI+MbCE-Zle3Z93@C{lm|sLnsQZb42{#77~gJXR3#tnq5@f1fv&%(JT0s z5@4L3b0>jsr_lhocfQlKrXigx@VX6>yi?S2WF7Sn?VA?iRw{Xrx~<1wKO;-59&upb{EI~sTwchz`dJpoU?v{tba|a!yNRECTJ`Z&A6vE)0rWnG5%+p4&czXx zQpB_cjl`^h>-$s;#Tyx0E{$8yLqB_I5G|2jbt3tjU6(zN6E77AOg2{-_!LtbPcj&$ zGh>>ykS5UCw-2h($fi6WS+4M@aG2X)zk@Mlec5Nc#o}J7DJ|#%m4;jf$p5mK!!*&) z!>6-Inn`5-?T2rBVQOL%12@VnR`rui7Z(OUzB(DD(bmj+N@&1w5coc_^Om+eWEzg5 zxpu{l_ywM+9F%CdokD=*HV{4Xz<#AgMKx)Ps;EpLV`Zbd?3}mMtwGVVy~TNEGGK>iBPMt4qY&^kx@6!> zdpjPafvY-FW9w+_SDtkpr>3~nX8OF!Svav-nkM;}M6raCI$kMa@<Ma#rEaw%>VyQx;*> zcZ&cL^Pn#htZ1ox)uf`D{gD2h2XwZI+z;kmi3bq2w3D~kFWSjkP`ITP)sseR)Xq<-!+MNt(yR_h5iRA zTduy*bA53$w$}b@pNu0Je}P9_e0w{7BxRO5Gl>)i9@T^BUb_3-ams|*inMMBUZ~Pu z+*We_6Xe(%?s-F~nLTL>vMab_n#vPzLxWg)XGAT^GYGS!<+24Q5 z>&d&)9Xakapq8mjrRDs}T%_nI@zGR&76afL!}A`W@4>ee*z^da%|W&C7kUz8r}m!} zqn(C&_mbYBxDHQ$7pH`uDL`xdm#$MWTeoR&%El!73?AHmcqc(1CPpeNc7~G5KElPV zL#-uOKF!FJ8sf;Lii5d+(>mhLph?kIGKh^BY6>4}8|c zwB|sL)onEGWo=uq1YF(=`yok_mjealmTVr`ub5|(hnVNa-8r%})sP!ngb6Bd)f4iuzCjBWTxtvlnu;*FnBCtN%?7l;uBfaqQaZ z48u%FSJYf}rXPB>RiTHQR6l$tL!H-sM^_v5JhLo*k(;^ubBRTUpJPo)8u@g!F< z;C0AZl4rW6Rqa)33Ngqpx8qZO@RiHxc`Q)0<-|*N^9hOU*M($UeP)V;s)PF~v z#HgS29y{X#OZG}SfW7-Ka#9hGK>;_)Dr4RUgbgZ2nxOFv^Cs!s9C!IeyqN|bbRwQ9 zovCj}mXN9FobG029GWj8`8&5XJk-sq}Y!!bs(GfVnV&48hqA-(EzJ4||q$Jc?@E-OU`deTznPKs< zE7c8RD;c)+Rx#hBO67bx5R5G$y8l1?gKYD)GR0;pH2dR)7TNe*%`nD$8Fv+@m*V8AJy~) zsbBER?*(M`lrC-7PiwqB2^;_Z4p7d7cdDkn7I9jUo4W4Mc&+6RaSHhHXc6AC|-hszklMpGSk?q)DlP+ph5IR{8yWqiU)?2hxwH=_N@j& zk%yA$_x@>ppOy+ZuPeKp)k>#8bDFIig6}F~12q_we20g7xu_uSJ}L6w{Gs|mxCPy% zlXEkhZrfdbr%tyE**4Ak_HY4EEVBNWsm|(~J;_=KBE1?L{f}k+MXSGsm~qifF`h`x ztEqk_a6dLmXB1%V$o|*EXy+Q{r2<;^+)vjcKgE!bKL}C8WA5Tt<}$0&Z@XIgs|yLP zd|LoXC49?7YT|qSu42%Z)2B3v8ynskFXJ*Ie3m4+iB?dD(FRUC_k!`MYS1fOch7#{ z(994h3w`BTR?dWPDKfF8eD~}G8pf@kvw^eleh+Lm8P7k7TW9oc&PC9rs8rKKa;=bf z@>|4Lb^N7u=GI(+&)f6y_Bo31thx`W?Lo!@`aeg(F8$R_QfXb~A|{orn@#-tOT97q zM<@j7*`I7m@#rE@^xq%4$rbU&@Uj#GUdEgbHWrnIy{_bJg-Pr<^W9dhc@C!{r(PG(RqY& zNd}A|9^zL^(wNT7azhYv=Q0nD<;as9n{aCSyU|{%$APMzxeLt*OWnR0J+I7ZvgU2lOf}_QMoY;G@Ff_AuicVz$!ZIp5*W`H$yZd- zR^ClAP*#bkZeDdeTAkwk6#W}_`Y+LTYI(uKeZKMMpO+NyFdH2DDz5wEQIr{bgva1W zZ){UpLtijuLZeqyA_ZgJj6Y>Wynq(!KXWuy>e}`f8G@*5rD@;Pa$dH+zr(f z(;YfGJR2w0ITt@}kii3kdstTaUO>o;drNZx0oR_0>|m>L!|8-SMGT=^p107vXN)f zr~DMB)u{^q*R{w3o4F8YM2Ts}u?QTHnFc`*T>ioPnBglLlc{^;UNWOjE6kK~2=en+IxLcvXKUxhJEd)xX#J)7f&FKIc9xkKJo z+NPs1u~7Cirl37_xzB@X?Qli+b3fn}`Ts&LLX3bp&CV_wfpoBa8E}q}SzoJFe=dpE zMaRc$(JAP>Bie;1y!`wIxFm)dA2{y)NU z8oSkVg}bmwWgd0V!!3u+Il^SVh(&y5n8~Y@Pr4nv#2}Ok;r-p;c~`Ib3#L_5*92B~ zDR!>@l?fLE5GnHgTgrNBimc~(mfZL2TXmeS5y0ZY)RmM6#7H`JNS&Y1w3D`{fA^P^ z+L<4D!jZ*AJEeZx^>6kLo+p1(o{9YU$!(vLzV+&Hs>B z;OCWf-0I1S0D``pOz#)wqD(c0E*^)ucm^(@ahHqna1Q<}f4~-cjUHAfxq?wtTlZ*yT0@s9?VZw`UR1 z$YG9c;v`vhIc@axtOs;hFB);b-)_^?r=^2vx!r{`P~WpycP4qsn5h$8-b~zyW_uB3 z_UpTJo3B#7e~3OW%O*|gE=y2AzvhXrHSQyOUx%!RFrP?RyY?)IMlr-&J&)WaIp4?M zVUfCHizO{bqZEp&FL4}Lho?yLsgzP;djrbv%wcv*O{DrqbywUGP4A6@0WEn^rS+Es zs#QFywYdlVvJnE>b@kK=FBQ9BT@i(#`a=$PN3esk20h&x}!EvMFk@4q5n z8WqF*cn7!1+918TjcPi@*fD`}S*S^265`$!9#1 zFIrDo@@icDLE=&2^{DWhjj?R^J(CHN=WDC1g?5#~8R|(v5uP@Q$5^4{f}3xql@sbG zq%EHt&4hd7M;L0xsWB+&pR|KGcUy{>&dccqTC-C+y<9)EfnWFe7Cmj!+$4vq? z4DX*BIh#Mh*`{eOR)jsPdZ>*#5 zCN)U zO-?C@S_X+L8p27J%8Q}C&h`w~kyG(2^Evy_G^bKsS}Gh^xI%HW8~Fcl45*)CSTSkY zN4~)B=WQEAK+PHWf90{=h^2_kh^n4ZoAOMh8eV1D+&_%Vu;}1 z@(~rZ_SS-L?pv+P;me0=`k!hyJ`8G6!ZXYuLH<9Q;ow`z)V5U~MP)BUoY(RQorMjn zlBm4M`0N*;y)6Md&pp8^wEMdytMXiB9w#$`wHeYSA5>G8lD@_LH{|?A`Jhus*9Bxg zF55XY{dS(OqhhqlwAgkA@9RUZgTM}Jp*WB0YyN+;1VE>QgzVG7Rs3w65b8q23Y}2> z%+}R`GkTsuG9gZaf!7bPnLmf{`2Hg_4W8y08_+)Hj3lD^MeYA>;1LurjfpK;JQA#f zlud|Q|-WPohr(TeP*}eWYjHK{xv%MjA0n_8C@4BDa!@^L2(?t5~0OXe8 zRylnuYpJ7I+b8dJ#sW-q`;O=RG#GV7H!-UJXTZuETAmrIY(m@;w!SD}{+>gZ4p6`- znF|Mzhkc;ekrDnae$D%C>Ix~X#!eZ1*oxQlLL-hZJ|eC;NB%`lH8n7VtTz8@2-i~9 z(a0_JlW3o>J=#7Q)JgXr$LM+!>F~z=+C0*q*8uyZDqL<8KMM;OuA&Y|3+pQ0l^W^k zTuDitkMLQR^nOR^iR4{Uj*;J@{A#S6Q(B$CO2xN9hh;?ZqD%dpf3aE3=K);4tV?U< zR6jm*g(vF%fUq&;x?+pH&FS3k(se%=8(Cgc!qaBkHQ ze$x&>H>A(I^~bKpEK_!S{Rt>vb7po#D#~UH)jCtl<+{Y1PPh#eWLL&oo(`K`x3Mrv z=1nr_yb)ES-^*tA{{5cRdDI6j=`F6*iDTk!i&8gEn>OI<$#2yqsBhl6} z5Q(x@VQ~tD6sT&v?D&ZHOH^XAZvWUwj+Fyx|sO<(VB-?bR!qXCrk@cfRo2L(ls7VY~Bib~r_jbu;K znyvH}dszB%m3c<^c84tDUWB&D&-rH+$-ne~H+Xp}19=*cWbyFj&%EX9f6w`n7JjI} zo%}###ajP)U>AEdo=b3(cv`u(*m>0~`~GGCHtB=^3N+`tOi@->=$p}L5a!JooT2_* zEot))wgyp2=lY_)$dL>+98M`<@s}tzB88VnJD=Rxbc0N{ee+-R|#vvDsxBG$MFCpDEYtVga<#v)-HWGIC zxQ}v9*e$eWx%waw#`5mmq3GSm1@FVwra7hy-iB!xB=I@Qc_<~lm5F8sJTjWaGepeLJ!sQ8i+j^lq%dhnTHU&x{I!?- zSeuwbz%|ut;;0c{C}Om5aj8B$^4vo4d|T%=zg3L>mL(nVMnvsoo8x5+Z8eCP1nSr^Rq&;~$=|jHyTOV%nwGO8D=)7B z9dbQu3cvvzqpkvubOGCwz2)=M!^IdbuVe+$F1=QD&@3RzYjN~;e$@{W!piHkcT!%+ z$;uki$5HHnz60|I*NX*k(NJiGOnJU&igt-`eBA?UQ$=5Z7+dvPb_EXLu_n^ z%kYmM8E-9rVzyIEF$ie-W8>prjEEur?WaC~cGst!JF+Tnas%NpBO_yOZtk9K$}`*D z-CcZq{1gG(76O$w*F2W{(Egx}Z^>zP^6Fn7Jtrf(`YzTM0-AtT^L0 zky+W<2h7Ww8vq1+y4E$g2OGf&fYfoO&p=x!;ec$=4A46$b*)m7VS(P+^t5JOhzNT~1d?NF8X9p)Nzpnb8`78vO$OjJ_*mZ;zK)H+`vM7}m*@ql z5lt~xktui34+GmVM1=4fbV@94g!-!M!k)eUv>fA|?wixKfYahPkAm>v-NW5FkuF4# zzd|_i;S|eK)7BPrJFXsJvT39NYJcvQyV;jaNI(m z^$iRR1iddB2EYjQKTm956#~L8cv4%z{J^Ew19XPNT?DV;;j96}=&B9x?b-i%1e;v2 zrluzMTxx?18^P~m!sR46STSL+81RX*fF;PHDzO;JPhm%8trH`RxqAcL5f=|2zS;#u z2^d#vYFw|;hp?ar;FtRP6a|jTeGr7gx;jBFE){!bgnE8c(HL+g&qw}wzB}klC;-la zumm>37<>*bPB`~`6bbljFt1+n()(XP!sHnlV4!hvaqUV2;Y8qJ&b)zOfMkiv4yN?p z7knuATvB{7Fu%Iga|BkwUVl~}&{hUC${+;OSt?b}1IPaAfnUq%OI)~%DJ-Q5{;8>T zJQM-bpVuxzsE-l8(})S)OQi=k4_pVpL;VIUa8*^+{{DW79U{UHk)Qu>q3@E;UhQ@a`Rn8&-n#0+r?3w$L_%>0 zAO=&AZX6yS2HM?D_AMtV!ZREMVb5odzqaty7{ihq;UgIWki?Cv2|33kC4pYDT?`!K zHV6hi3tiEU>*GrBjeqicby!IcX1K$tLMGuAMIZ;Gm;bw!XRkjPx+`6^4x z2Si4i-2%g=JUWQgZ|;RcgIl&)vaDURPM&r@=2zHafX@P)N#U7aTSx6O2+=D_2lpt6 zl$VsSKYVy!u&F`7tO^y#$U_vcJ?^4EC2s6ZPtnUR1dXDO<4BRWc?~Xsl(?2Geb<7u z%A$Fo_kqkBU>7uB|1+@i+48%6i6-KEku!1K68+WGwawdo&`!hUXb>;|eGW5wykie3 z(PX}w%_qNb9DfP+pp_Je(jL~&6Smj=wlrQBC{Cb0>&4)2>iH>;aG9Y@#<~({Jhm$x ziYyEA*sMRk%^`lYhHo{2fG}D|I@jI*`r{bjGJx~x6$pP@{7-vyr91Gz_6m#RJd^W< z;s;s1y><0I(AoRs#O2TXUhE+(7;Y5@La*Ppv)M-IImS<3jRX4-XQ=yNr*`mXol9^-7N>Z za{&%pYy9%ESy%BNk%8-*pwLjPzO(VMv1RURDciHa&zB&6;!wy<}b&9mWGdyZ{OuSjBn#;v`z5U(bnug9{OqA;GbYR3RnTb zu%lq1vnHXng17JwB&A0LM=BeKUH2V>m#nOu$4BHUiVK#2#BZeut`cKy z#wD!vc}TjSdfgY9y$06yvQD8bN)F)_5@FzM1C8N(H`;WefJ=yg_aaJLa~ zP_Fitz^w#+!r5L!!Lh#$3;+T$;>=69K9v2q0Nx>C1FSq~(Rd5KFTWptXvj2TKAibs zoj<~yW%%5WVznEJT0~OjuT%qpYY*hvNxxwDDgN`~MocD??qTy1<+mA3i*We?mxur7 zO_&)A%6H1%d<^n^!ekP_#~qPdt6IQPo-SvR+iB;+9VBj~@!6;>9U7cqgdya3CRZg! z+pOrL*G-HD_U1hXT*qFk8^b(U8?ytm1y(^9^W3cJl^s1r_1t~HMb`f!gxb2QFVsRK zk6xBRJZYDjo-nOlHh%J!u>vk&W#4*#}HLw(gc{G2+Nrad55{3^NI|NJ>jsz&URbb<)AE=T}x%2F;P+;uM1p zmH{pqw}*M57ZA#1=kUkjS=q9rT?;AS+# z+nN(@xTyVWXd1YIlyf-Wzo7_lSTOlBb*lH=SAE;<~+*ZwXUZn^y%}Te@Au`XrqVPdbEuopd^TWy|;& zeMH8H)BL`d9;<+WrJC}eHO`~;k_ByYDNSHh4<^qJH-zke6k5z3jZ<<3ZZ%RVnuV&P z{^w(a8PMbD7gwE6VTRrQT1?4UI&zHs|XD+|(Kjg`L*`Zb9 zxJ{O*x^sx4Qcz*eVgBK6Yk+~WLG~Ej^t}hl60p_(oDBF^iA6v^9}TyHNxLn4NydOV zQ9(L$F1NoI)Rj7|zl-zkfUdVxQ+}!`7+!m}5TCk`Vs37zF6Zh1)MKHZCHv3S{WZ|( z+5m=Q;z{F4YsHjl!P(iQke1WV+E?vcZLo1GmLyNvGnd1XfC&5dn9n`TIsCrmu#_(p ziPnwj?2~@Tsj?N!X#c=u`Y8X+Zr4nmz~Psf&j;zA8b^&Khv=tYI{3s%X^PoD_eW~? zH8A8o#<&)RTQhBtVZk#+moH~0XB%)c0d+&Odub?D4HBNB1SM;0Yk%L4&dNz0mKnFD zFU4V9W5Ficqx_#?$LZk(Ynz6m_zxT{12GK!4m^uOgT)vW3UyOcP?{=LTJJ!KnA4z@%4}SDDBcgP`iam4xG);M*I1o5z4pnNR;MG zZo>Ny?-OxpoMAe&ZS@1Ca?kN^KdOeVaz`>*3)pV%;hzefgeMUsC0USRW+>}}Wq;@8 ziQI#C{NTe*Ncc0`gxEl-APMPBfSUYPYF`>NW1Ccd|k%9M#fQkI;#UVDD`9e%11=koi z=)puLotu;4+OFYS92Pi!Z=lafhl&s(xelYSX92V-%`$@ zVO<`NYNhZBbne(S&2=Hdd&p<4ZeGcq{!obsHkyf|(q}^XL4$?(vcCihi87sEQUX&& zf}gpo#RH4ZP;16>KNMinJo2h`zC0HMDhPktO3trEz8H!jm`O7C{y;yqYTW9SsLV5B zTcc>JQh(5xGEw7DjKiHu<)l5N3-K1(Ul(&PZNZnfIH2*7PM-f;-km6Rp~*XztKwaO zx7PHETF$s?q;&Uh9ngFIeDA$uynnom;TYgKd+)W^T64~4J~Ng}`AlPl zPUwzsBoSFw-lmduhnFow@IJCP8!6cu4ht6 zvrtxc>4NG0^OHYY4KXwNuV*LOT5-2@)OU4olT0q}(*wP{k7R%)S2MsI-HnZn`}?*C zd+31>7sQGqOz^X#WYufm-plzC{ICB~E7dgY*2+zEoOh~kbhonIs?YWmO~rneKAFeC zaPrM$V8SC0s8mhB_c$z|K$PTwaYj|d8NP5sh9g0U**2E zC`YbhhbZ0x7cek0-{*J!iV!8?I`snkAByTi?e0Gs--O%=%Ap~{;*mDW5=}L4F=Bu7 z6~`v{=C4ifN753)?Y@WFd5X~^=0n(hH{M$!W zz9wUi%&O*JF=iPEPf9`03R)_$q2~?hheOe|FD~lsxwfd~|9Jkll zTs)Ff@NkqxHjCfwJ(F7d52+SrZ~#LVR?%Ib6#uu9op_iQVC{nbOc-eUfZlf2NlqTk zJ^PfOHIs>>FEwHnZ#Iilw%4W?O8Wz#@tm8nE!V&O{P!gsTa^YA6zWX;ZY&fOiHV`J(-_8$8_FVj>tx@+Dbjt!tPD*`H$fbHMW*$EDkMOds*n$QSSuJ%c) z0>{^WK+S9elL7JgW1f+Ep#%VR-@Kw*FHIEjKP+6((a}+SJm~?!BKp-;IZnUL8kI1q zze0TVJ$u0g+z3Xz+u&1&{Z0B88Qes67_H6nl56*1xyFwUE}fr7}%tAIsdArm9+9l79Wuu5g$ppm*euY}dwY z29;DM9ar;r2d{s7@Ml4_ODB+P?THXREsbY*csPB**VjO)B3SE=KjznZ5V}{Gcs4L6 zfSD+f(%KX*S}tnR;rJYg45{JZXBJb5y}_vb>X#&hkHVEG*{I$Cd*Mr8VQ*r>EkXW6 z<t$t=-VO)t#~9dngfTrO=Agj?^@h@H<1s;L^vzbpbs%*C zN6Im}se>g4?S1g`S5GhR-Z$>$20fr9?B_y1TUny<%?ut${?a-Uc@oN9zCfmN9;Ly{ zX7j#al|+h-%|TgG{M2u2!erxPGa=4x^#Vyzn`@6*Xw0rmg=BRPY1m1u(7rYdAuf^U z3$acNWkI~+y-+O$f5YP32!$4;hvZ}QqR??EGNZWfG|$_Weq=F0M3KBYFEN#bF}{p* z0bzw4371_FOckU1d$^^E9HtvrZ<85M|c#w zN92aQ)Pj7vgBp8@*I0C`1|!s&Y$I^Tudxu#WaJoWPTltC+1aE?w9r^rb+Q(Ml{DW%hE7Q$KOE)}=ACMW%S9Z}T-n+c;t2wUJE zXv4mL)qImH$}IEvyF7kN#R!R%({PYzeMIA}@)YZsDktYLl$9;rG*U()&$MEv6EHH5$L=+TsxhbHDly2yo6a@#=L=*28E z2Ug5Mmf7G^Q*e7IWs@(JD%!?hghJRbh~m6|`Dgn|jxn*0f~_Q%+@buBt(2@KK6j_% z1B=FgS!=X5v+z$V*LB}0CV!EZaeZ*1BBa~;u@3Y*MOTbg_qKht7&8>$R(=?{aWbX@ z+ZMRcwkOUiRR%NKKq(d7)Ml=T4|$l1>U9@cH|1q-gWNJqJ<9dyX@Q@{(IBm*oP94% z{!4>bSwGuy-~69%{>XucDfly!!dcrG?u0|Dx4SOXCRX2+Y{o^s`u)}X33Nz5F)rU7 z+)@&Kyp9ygg40nRBsZuN^)C^|(`3JE(3e1*$;3SR=KFuL(dUv(<+`BbZ zBB2I)Lxl`@<3nbfxooRLWZQzq!4GdZhN%(YHdSo{21xVZutTMbq-xV&g@VwETD1x< z+JF|-U)|PQUlNnO2_e~{xTqTXWtv9szL`Jt8v|Zx58CozeWKfpQw8sNs4U-k=t1X& z>965IQATb*sx~cHWlpbgN|58z$CD-2pt6FRy`{Kz#LPa09;@G+mfJTA*)~@uHiMcJ z#+!94r%WW@P9?JL$?_uFtM_Fd{l#B|Oh?W3j@5})sOwo6jF9<)^Pp`0pVyd<8m6Z<6ocEock7=8Yl{Rq5PR!(RIkL z6&{8x3Uc}O{NuOmb=%>gk%H1sr~+TV933)Odz%e^ZKx*6T+I)t&o-)Aa>ZRa%)VT& z12X&dss?6lyQQXsshzlj_ois6qM1Lm9qP6Qq~aPaEA3y%R@$T>kFm0OSPaDm7f>B3 z2+qrO(Uv@x^c(z}@@f6S>~^w0@ziZ2=8*d+fN<+5I@GRBPtEpCHb#{INjTMFuYHUp z@zS9sbx-80c#gSH_8Vu9QY!_!V6Pvq_F3S5e8(pE{9o_006E=P=;`wJv93Yo7dGzPANZIK zj>qu}T@N?-cYCH$v5|+FTxK7NS=5}5bb?=5I7ND;l2uH~8eUgDYdLZx|6Y`G{3d*s zYW*TDVd?W-?>%CG!s4<7UlIG>Xl2d9?K4|pxLtP(Z{_fFqc3%e`YDVk8p^0?*K(zt zMKBCP`==ZO2aSAhoP39!&*=fG1haQ_GQq{dfw`GI<;^4-oHmdvGCv05Cx70LchJDx1#}uS6Am zBXb%nv&W}|VeoEwjwbx8?OJGQNl2#gRxQaVOo_qz#>E(Q`ZSzRZB-i*Nd!(<&z|7q z{x>qM@_3J@&S87dZOU!?{h?B$<-=SLXt_iaZl6W1#}Jb3z?K^qmAs2(7rRop1WM*^ zP3vJYb{U;zVaLoKD$Xd@9Sc$1}i*JDmapwwcTLx9h2cpp*>Ga623sw+xc_x+{u*HWM8qG=f0_DYX2ZW<(^U%q zb_sRx`lVIV-v?H$BH^puvG3XavzBhZ?rt`Ww(M}#jX!TMISWqs78St|@-lH}K{I$B zoqq}OzzEn$-uwRl^g($s*Zcnx2pI$D{_5Q!d0d|z> zE-%V4NhbQg7j1Jw$Vd23ms%pb_<=!ZKHZHRBEC4PI^-?e+D$dQ?{eWWOb;y>%*(BI zt|c^Ei?`IVFl>-x#>{;(Xoi202x6o9Np}VX+iJ(jO__({16)p+>bKDL9F5x;!n|3+ zMisFGHS9GGo}MhPDL-1AQUS;Ph2QyWE&!& z`5UQh`00LxQO907JgqENp$zb--%=?D1u-(%@2U`=4M8vgpJGWMZ*bBNJ)`@^qMc5C ziJ_Hf%&06Oi7t*aT?#s?(}(4;xhk%%>xoRf4*Q18esel+DIE%hocRL^~Q3yvHPC{9^Fz14Cg-wWPpmlr^r=N*U`b^dG+(8Gx$|sf9-Ro zFA=*D8d9Ik+NZ)JMnRaMzfomae>=;`2O$5_j%AxuH@da#4x3idVTV&r3H_qCF`SLn z1xpiXD*l;mibQ3AiK0A`Fvv=HzEgWsI zt{Zn)-05_(P>ZkLIFWMIU!$Y9dETy!F$aYiA=ui!94~>Yx#&8sfsp+ctJRs?ZS(0d z+oGnAIiPK;))<{dW)ioI#AJG)-__1<=9pVCytPvIsS=LTL%~hCv(c_b8W6FAA9Z(` z%Hk7@UkM}9sIFi$-pQr><$rV3}>?y7VW>zj^n3!k5&XW1RS0LgWl3t=m6*GnVgOUY`zU239tOtQ z&n3OZM4ZIg!+vTE=lN9*f1R@^_XsPV?s+WL7#oJOAZy0V(uW$8GR$6s!10IzxCJ}W z)Z}fD4;Q-?OXyvF+3Rf#1Y!=FT|Lo^MI;i`LF&t%mYO)!I0+ zIgi6LXFom6l-pb#06LkbNp+PG&gVBrlVG< zmm{D37rS_@KwtE&IVbA-60Js=+_lt>`rrQU_6O*9?2&M~2|A1_Uv}lDJE9nu_Vvo| zZAELlC9A8F^DdWn>Cu=f?o$FjMYJ%r$5;L@1v3pkue(-ueg1Y*tdX8lhwiQ%qnyEa z2H=#(w`|+Up*HH2EFtGm3~V3h$B-(Vu(}Px)XiSP>+{)V&~s5MxIK|ciK_yXo_O>M zl|75TRg!e+gKwwQs56a}v`F`l8{#r@ID*G>La^WF`4N61%emFY5Oqtx91usr_@nJj zCaHLsioy4?;mT+6l4tq(^BJ7qn=@zr&c=XSXzM62W1?;iBtd=cZ_6enfVV~eCQO|B z8Y$K1FK93?vH`E3R^_~>wRNwBmyx8D>8MWuLPFq5)9ay4^z z>c_&k=4D~%-zG0qCU0^2muWOiFpqQ(zANl&x|(SHGTm~77vI=swrE#qZgx85hEvX5@ zAdBbo_iqXy!XZvHUZktzSxnm$6_%B{sQQnYsPP%LtYe6&qjaknv!MC zM;3z+fHkQ_+K+Au(5jo$G?5VZAO={?EJZXBf}nybdNizxe;E4W>1rhue4bOA9iuij zJQ8x-x;GWMnn*XX@{Z^&^yBDTEm|EI%TL}_83E692ky`^%}uVsdzq#9#GQk-<8@hQ zp`WJxyjpNm*@?F%j^T9TIzPhsx8Ggvtb~6E7nHyI#29?WC`E!QyCrEXg3Hy-1^vcZULK^{yi8N2=(P8n0Xk21T^zM;rIF{`A?5siEKi(#20o#T_w=FNRsTyq;5^{&J{oQstXkC4K+qnQ~bwVViS z+L3NMSS3xZdZ$`7jKE}v_H0*TCONmUI5W&fiN=;w>pktt~at5S7&vv1W8SPf>Is50}Pom+lt|g zCHLO)+pVpPqMMxXCUZM)oiX1q$qGFxoGjK?4ZgWk{n41IUDaE9>TPcb_2oaa_q4xX zD5KCfWpUujHabeT9boI~GWh*WpKL@hNA=ad z+H16n$lQ^h@9kROx)BOp5|+zBck4)t{7?v!TW3Q8tCa+|zg{ixr9nF6F}3Exm7CfN zJzu#+4x4BD8D|2UL>Zi%@_%Pe9i3IUs-3@r(U?8s-iE3pLQPv%dAECJw=e`J`ZW>~ z!omKp2Ho>xM1SpO{@sn^@(ObnTYSb$7ec<2(H^MWwORG`VcB@-qN?AGt-Zzju+g%> zr!9S4v@`B@pc%h<7o*zD)JScaW-4KaRgqX#jK4bLFk5yW*RR9;5BB!*cky7J(@1iL zQOLMb54p88Wfsj>kan|}pf?$Z69WdZRlPLe&pCQ8)saLt-uY6X;rW7`)Y$#*d@%}P zY6Y)q-4tvh*yhyKzKmpkswNYAG~Fo+w-rNjOj7Fz4yY@ z9HK%K#i<2I$+Cuz2_$@|M-{KKWsYW8IvbJRRZ^QnNb8HzNF{lx0}jFWLX1GRRg6 zw6qHoL3fJ3{tQ?PR?Cx;BFF2we;KnszIXw{o!>V3^BgqtGwDVF+%Z;<(AABtM={vJ zH@Y+~clNqSWC6T}=mCH0!mUT}$IC;-vIXenL{cC&A(X}BjVwKJZkCtu?JrCESz_>m z04v9*$O)PfT~w{IIFn$V6F_{j7P6#e3qG9j&9>Q1b+F~O(f?i&6%kt9-d5NqDwh0h zo20TiSOERRbsi}gU|Dxl&tgGpIRg0lHuWL2PTk)#)-5ycpb65JR z6iW0q%Hl5@j6_=kTa!rYcss<1nj&MbjNCZ?!eEVR_Mzf;yz65J@EWaHs+iFbb6rRD zhAnK1QEjQGRpZ4AE9+uvt0-220p}CLx8A zU0GHa*F0P__MfQ1G>NL9UJ%Uo7L@$v`2QepU3Y(_Zn$k8KkG8Keg3JSJ$&#~Y1HSC z>3!YE=W(5$i{cf%y_?E2%G8ghNZquP=l?M4L~Hdm06G+4iel&w5hw@?hOj49wfc)! ze*I@Q8`jQWuIbE=i1l^l%3o|$cG1IVhu=GU{f;R4FGr6H==c9b9~AOT{3pBh@tL(> zYPa4V4F6Aew2hV=#CL7kPPJsiio zr^QO#Vov}o>|Ma=m5%hg@%TzGuQ(7n0|eFYfJux0S9;swa%7#0(|UBB-I~-z`KFiQ z2JSv!JN-D@Xe}8*_fwVv_=jhP5M`I9ftS)bD`*tCLMF@ZCdI+0)>4!q5(mO!9L@Xs zq?bDRU(b8BVzd63naEr6EkuQ%?`$Tez2%VNe8+ODAr+4a|Npa}7OucL2aUMMm1)oJ zYvtc>>A6mdtDspnf^@L;%ms{KsZ>*(Tat9?lnB>e?*y@$rbb*h5T+IaN%NpD44IkT zNx>tIJXwXuV#KTA37q{;PO&7)M4%q>>k|uY+rbzF;0Nh?zu$a%Na`TIZczctf zPv9~_*`?o@5?-1^hCn3lGOCd01}I25W(l`7{WBA8Yc*HkVi{kS*>#7_DQex0XT!PH zVS_Q(>cGWKf=fThvhtfXkFzklfOWkfb&fmjk9|In)U%USpFazEQ3_Bv1QLW^P$TK> z-~D^%o!qZEA1dRigBmR3*STnjp8U<)vFVex3$M)w#!}TXFVZ{_VLl?pqT{9`$m>VS zs9^>wMSdz0SZn~WEFqT=8v+qWR?((vXj&Ah(PTLLc{qr%Hh$14+Z})G#-k82#vz>&#Z_P%;V72+lzWcZg*}cSBRnJDxiNmo= z)iTI{o@6Dx+AN@P+J4}&R;YcH=*E2dlGqS|Lm+Yt%Be$NL}O&C)w->l=u9eg9|(4l zm~v#!qyFlPyBMsuip>N|O_8ms>1;YTgnb|*P;`-caj3R+RJrhdbD+(#;z}vQc-}8Z z3e4qv4cCdsLiQ3cnKJ|G3<7Bm$XhAGS8+|Q%zU>vSdB7@_d=?K`tztleGc__DPk4q z_ANJWF1)}sX9EFZ8OC#CVvXNJD=01&AU=;}*fXe}%=4FJ^R}C(s2e8kYGE<8Tu!+-em1P~k#Be?Ces z?WW5Z0u`@3$`sa*bz?Lnugw;1&=~k0uzY%7^eJ{-0VWs{NcO&Rn~bbmltD= z(T*f=@-hr*mpKJ|E5l!%n);~iHp4j%oH@w**TF;#Ea;2=l|kFZVb{uK z4l9D}(OP`d;!-0{zAJ2;xWyj)h?+h8rLdv!u=Pn%>+>(C@dEOTUNk3~O+wslQL&mb zTHKDy#}8@kw$96R8TYc}6ief(Y7;r+@dFjUZZtQ2CipWI%NWNu76UKN`=|@fBe^Vl zeDhsitHj%geDX!D;8)s^Zm%4&+M`oU!3oF>V2I30yWFM(Y;WBr?~3FaD@M~Vgxyc0 zQ^24w+#{fFv8;UBUaiGN&EL&%VLU$!&cKL1pdqzmmjB`#2m^mNw87i&+C>enWwj$=X?ZCx_mhT{cmh3adijkssu_~e9e2f zIDt%z>0J%4#~vLFYW?MK5vI%T+!CX-dUhw(0k`Z@3p9mf!Q+N!R%{5F47HF-9_bnG zVNqX{$tLJjN#3qp{9MCvt`HJ|wm@?%^|?{j*ULVoJ${JbS0QeqUUX2g#X0YfpQc73 zhO%t|ToHO0>Va1rKpOJd&vw~KTgMr%&d}QUdpaUXL@n7&@Q=|}J+`HqS=aZD`zWwS zQ^O1Q!#2$hfA)P>JbChGKq+v+orfM_z*h^~Y+hV!AAl-)^vx3x<2>g!<*L12W{IBdna zh+)Y5u9ZP_V(#|>mP^CQw*1^}ICbw~At{&ROqSu$%PpmwIhKMOHI*ABppz6~f&3)t zQW^GW=<&#e!s)%yZfdFe*BQ}qgC$q`Gmv}^ z9J}PrYVj`N66KO7N*H`uKSn<;D7&=ApVFxKiUw+XQGe-EU;h@}V$NyVQgol0l&5aD z@rcUuUBg)1ZN<4mX#0@5jfElyNGPd_=m#ay&Zf~^5p#+_aXpBaH|1hTMJT^y&DQwG z6J@($g={JbM>lX~?9Hyf`_Hsi)G4WdyQdaeNXzt|uT!IU`3REt+&l+$vFv8z#c)hofa%jS4I5~I{W+xdw`uQIYX9qTcoR@~Q9ps>H z_pY7nbxS#;!RCaUXE@;k3cPTU$Rd+Z*++EA$q)m+6g6NAHXqpEj_-&g=73l~4P=LlX6u*MD1FIbV8i zO^5IotFv~twvCBS1_lPh1zI3U8WaY%C6evRF+rWL=K{qMjy!qE8$lqJiXt3Ow$_Oh zZ*2`LUi9QEOPwZDKY9ex$pd+j*v4-B7%-acYyBm9bq%&#+4Ax-h1OjNB+R#-6gwi4 z%dN8u6xf2yyaKIi@H|h=>CsUM^Cow)wx$QNKcm2u|MuOkLEhu_Hco>&j)@5p06ZR@ z$G9D5y3z4(RBzORw7E=y8zOt8QGzpW(%1kU2XxR)m_#7M{&OJb%s4K=ByFn|*bnJTF|GYmS5Zq`3<9N3{(Nbxmtx(3-qyB!GC4z_q zo7*>w6TeD7_f3v}o%M2Gef@_+e_2^se}OZQ#20j3-F%b!%Ql$i5)&@?z-(f9 z(UqF|NkO!WiMuFRVTPD+#&)R6v(c-hzXmtQo`#rbXP9a(nPZB{rvo5|SUsSM7y@wy zXr1m$ZEYfLhxrVnRxO6)P3*#rt&8+Ol9OG+l5gl%%Op|$np6Ylanab(baIf zYOcZ6=4oh!aLcJQ!H%=7zJcR(;KX!aFaRzPFGSAQ-s~)>qZ=L`&dkj8$|9b!(&sj+ zoZ)j1Pe!eXIZqOJw|=<6>@vIJ7LAP@KSJr0?63k%7D^?RUF}Avqq1}`Y-O!5KvcGR z_`n<{#o44xthOEr?*2G}Gd_|1Zmve7V@W*Q-t#JbEqV!z?6{U?B8SJj%N_^#{s6k zsB!(+8aHN6HzcKO?FVDoM46^zMV=mfnOv#b+<%#oaRO*f_doV=`MJR1wn9a`w*9M} zGz;oR70j$=%N%31HE!g$V(loH@WHy=yJDY4Q(DoA7GFuia1?jP6r95ewvb(Q;y)5{ zCOnXF8Z=oI;>8?6=^E5-;#rzusyCKLXvILfpCL_gPbsM9HEY!iOe@TOwzl;M5p@ZX z|DG4slQaR|`xKs`EWIf(noP?a!_gfflQQ-Bc<#3!eW<$!R&%0z4QQeG!KZS)Hz3dMDAn0u znjV4EL#y<8^jF9O(BZhf8tPxKaH=k^dkEN4eIBlZp%s&Rr}f_>$*g~Yh;*$Vh%2Zp za?>%%SwCUK9~RLn(>x3dia=W}T9T(XPt>u$$9x-e(VLspW_T@Tamg2C*FwZoA2SY1 zRhUIPiZ^Ig+;SMHzl)!UZ^V`GtpJEdDB11}L$d0bM$#778tY%Deb|eUjo)ZkFP!EVieSVSnqm@4p))txX-+2CFn;T}}%M}64ps0lv z1L^i46lUEXk?n)S=;Pmw{Re%~VjQ=`984bW@|hNr@@%JyHM$=X`93h6(LKwx-5#S> zUSi-9D2e#G?>o!u48yS_K9|i6$hz<6<5_@pA0sSUB6ie5WCK=cS4|6~U(XYeG;1%Y zUie0XOzmWia!tOpj-tkib5)arkglpin`x1^7X3Jo5X7hul`YtC2W?GpB<8JQ1qKb%~LbTetDpMvp5Rerj z-V$U!s{M%%<=s|guu?m1Cf)_X=FLEFgauJYSNLu66lhh}?Ir^klQfa>6G0DxtJ$Up zb*s&Q4Z8+;#{G4hjt~gpaiSh=h5VhR9qB|}5#Q4n>(x>Dbq$le3?m+%)IAxf6~F!F zzb@%(ZvsHJ+Uj%DbLv-Xq3*~&Yg`QhqFwa-yWzQaN+Me>8Lt0y7Q>*H{otIRxua$b zxBYl*3le8(r<;^8VU*CfQ6 zi+ZGD(bcwDs^mp9!`k2w^w5bH!TaEuu_1T_#Q2OVFJB3eMc*S6tJZew(PF7xc*tx0 zzS(!Q%IBV&NyJB>MJ%E1A8i^w^|n2~-Dg&){?F3FJvw?a7+T6CT%f35Ovp>DdxG)JmM<>Cj!fxo4>xNn}Ox_?5{iPP1><}J!>R&*X z9qy(r&RWKbC`*V=S+CiR)>{U)neHlzxYio z!;RHbYpsMbGek%Y0_j8KDI-uRpq7SeHkvax)ST8vg75QDpf{?#Eu~~!6lbu@4{q`{ zUkm*zvjgup5h{Om<5~t`wLi%4k53=fUkep42km2EUc4jNBg*Q_ptAuQmROgDv-z`o z1bjmC?MH(@UeRdLA6iJ(a|v0U$;_s=Ja12D9x<_#8psrswRNG>?_q}prKx`jGs&`F zs-izGW@;~q=*(IITL%Td2%u}9<6FyQa*+0Zyq?Tyc-2+u@DF) zpKZHeROob+WtY7ImvW?Bq*eHUu;Snww33VqZ?EDAM>95ocw`lyp9AnQ;(#7nQZ4SH zpaO1_TlU;Kq#u{F+EIwesgjEB4ycKHdXiYbN2^FS}u)&Zckr=jA^56=GCr&c%Om z{n+t#MFh8LiH+bm0hGjWfKIAGiQjts&C7b|jn6;J$i2DU#rM&;@>$-|L*r!sy~j+M zz9G)bPkNv*h7lsgn1I1&y-lT>ZI0Q?M0x%Z3a%@Rhz2DP#UL<@hH9)~Rs}_z3!~3= zKW_J~m8b`MYdPP#z4qZ=QE*jIznzR)fLG~h8Y}*qXN1SW)Ie5x=MF<8u*6sMBcY$Y z(dd<_Ft$UJ-^dl=Vp_S&711kIJ)J8z5<<4Cjc2w;FI+vAU;UIZbWt_Kv{D;S(IzmQ zkFTaM*_e!vmSaKnI^>yGYqG}B1zlvTf>3E;9{tQZMC%Q!Y^c4a*z)mPp=D0YS@P}1 zLlKQGM`V-cfjpwk2+~V{mg;c5p@c+zh!~~eG zw_99pXTl^6<;)raird4+4 zU`a5zGs?pQK`&`y$|fCaYgo&E_|k#)mN4l~e#-}E8~o?-?4u}DB!QR#*jUaWpJExq z(HPGxfaiTp$exSpGQAy0M*!l^@~k4y{8n%yU!ahOE=w(pG&uL{RJy{XE$&5`hH}ZK zZ$*fty_I^j%po5imGIVBmA~V)fKkU6li{cOT$;{-e+VYFh3DOt=xKF6?yh%wZeIC= z%V8B7>^&ASgi%pLK;yl7fnD+D(fRb$#rc7b%ibU;Mf}XEiVjZW6}gbu$wc)E03KCp z3WBrs)vDxq58D5jz@GqB6ZTazY^?EOyf;;BdMDw)c{lYwpY>8u540a0ba$Giwv^kw z&n^oRFYSAzS?L@B{6S>PBiMvA%_T!KTI_0T><}k*H?g~J#g?tdu_$qKI8P5yCP4YJ z5C&hV)4@8THP1zeP}-j~d|)wd{w7`>EA4+ySlX=@akd_F5WV2cHhpF^WJ=>3F+MSY z16}8+JL&}e6JXlYV`F|77{KpoY0M{V?QH_NjYR0*p5?v-DDyqWZ<6@G*?m(=!7u*d zQmU3-!{Uh``7ADcFkDHgp_;j>^_I%RSf)0%8F);=elg#=e)!rmlWg*$^f7&O`1VG^ z`%*pj-2+^Q>!9}-=(WUv-WAVNVc1P}@bxt)M$or}#G9&foR7}x)NYu%?X_K;I?aSn za)NRI0G)cEmy|DMxW5OpfX(=_7e2e}v8^EJuVxarRI9wEluLT1L}psv9|RcXs&0*Q zYVP-V8spt+9|yrHv>%G3qp&OVWok9eu!A}DV%fzKzkyOO@|g)tE=z{A$=`)8r>P6l zAmM!jUH2H?{guufu9DgK{J)LCj!#`+dn`B=KhV*D6c@pBiA^GL)dp7CZoJNqP$)mn zI?}V7v73MGM3w{0@?0xiUhs9~4u!Dj=D>Gw>g}+l=={oF)hQjqDHI$)F;;0zWOV~O zqWIF^T&*r*yWAH^@EpXx5U0ae;d2<*>SiW!UVh$!V7YSvgCi_9WkTK=D$(wxsWi*hf7kN?r4Y8CQ+#=hF3>Z7i# z7a+)36&Dt`uVDpRfgnoYCaYBr+%#_Gyd(Ai1(w`&15K)H=qPKZVV0q1$gqN{xx(oc zEh=8;Jn760DwkjKVZ*iak}<(YZG5NrRO`(O(G)j9fvv~yQKf4-=Q&IV$WE8+j}<)> za1d zoKDVbT-**ab4w%DG;w4SV=uc0TQf1|AOkL+KpuZ5`lj&aGp$vN@n)`zMY_J;Sye4NU?E;Sq|qc@$`TQF<-* zC3hf$gvrV~A!aI1N7~}K{h0zAWnb{mM2cbiyZO^O*)91GNcZw|uUnceD_y9UbRND> z7}vqlexh7LlW!h9CaxnM6rB;%kajXS|I~P*m__6^1cF2jys(1^O&O43a#y*OWLL(a zCHE}363X9g#ML0~*yE)AMM-(6%l!l?(;Uy@%~}6ab?l{6>pGN5te=HBYiJyyeOHTq zYLS{6&$KVnzt1Ehdoce7ah=za=feC&%Db3oe-PdJghE)Y|IqRS2mW<|!QBkMY;6Ws z*%wX`D*E<=Btq#c|;I6{nH)e~F9xB??gh%VKHV(1uYrw=tW-O{)h zQuWJ>*@}Vfpq)et0$FN?OcujTDw&+#h`5;BG2*ilSZ^pS#iANC>(=x;WcfJDly zf#`#RNWWFqiz+a|d+h`2y`aRlgta=)C8a%c$oNvdzX>u|(qSN6UX8U|7^@e6?CX`QaebLPC4!n5l72$U3J2HsW{BUNKPt-J?r!nJ^XaPd z>7f+$0z`fH-QXD7cs!JnyC*N&S`x`BN2Z53gv!FADKB;3ri2~*mQ8zv3wA#6fylOB zgVTmVGcE$!RJf!k!d<>Xv{W{5_>^!i2&VbeT(t{m5a$B&trGCxm8ql2Tw>z71M*k1-?*ynGrhCHd%U{pUbQWm&mwD# zYkmVbg-RK>fkyiIrVlFERB3pG+{DB7f=!e6jt6K%0-AS$c2k=2xtGs>)*k)m`Deyl ziL>!U8DRFj8?V|tT1n(w-c#=$W8`q)6If=yxy-F6pj6IcE++d>W||_S0>d8Dj@2yp z1?F|oL*rGTe)t`HjD|T(pYQ$Imk$8?6eEu3{6s48>#@!PFpp&#)M;gx%{sga*;oA6 z-n~E|=uaph^MukkP~WXU&MIOW&h7X)Z*6{UBPG>>;OFeCtjn&PY`PTT4wAX=h-uM( zW-Qh^x9kMmKmWx;J;lj{a4y3Q-PjFaYgC>YST+@k%0p(I*)4A?;Z2)2qp}Q%1G3dS z3*Mgju^?ihY^xiuUS;NSBXMa{lX|=KfQsYH<0o(?0txcsHs$?x`={g=Gc^HUA~F$p zEu3Mp7^L8~OSIq8DiGN%FyVGMd0I-M_z9RX*%vPckc86Yc3tL$02T*w042%obS5IVNqi)#!giWDfk)oEAQ|#*BJ)u=(P&G zb_+y#9QH^%wV1ibL9+_QNPyBPkv9v(R>ib=pu6=iyYo^np@8_^4CO|O#tru!PdP`M z?EFIgIPo^uj%Q4c8AH8&R$1C_9^J09^gWhDm9tN`G&hZSMmTd<;1?fJ{P2zWpbqF~}M0$CGtmOCNXrz)w8s zP>rwohg7?<71>ZqGS6BJ2Li;92`)zZbxXXz?IGVz6-`ug0UOa1L}MZPEpnpNv+H~Qyjdsvxu zToJx5u9H0THS5g@+aQY?km8S@RRC6qX`(6GKBBz6ENW^nDx%+()s)%KADI9fyo3Cs zQMdmBDvXu1AB5IajmM6e7wTZeJWQ_gBb)Q2*77XiNh_0e{Bemuaq1sT7JoPUAzqQO z@-sy%j@D4bP|((IMJvE&+ct%?v!m!HfgR!*pbHR!XsA96=OoY<8S=0J5Mk_cfC%4K zLHWrtrJZF)Jlu~)L=v~JnrLHwZyV42v2`_#X(B{18mzE2ql(GSS>uvV6YAv*289)C zD6c_DVT2Pu{K2ab0`~~XwDJl2B}NPz2wyee3T*zgKHt=IWf4^v{8gBvOxQrft*oRk*T6Tv|66V4;=e$A z0E){mKiJKLJNqHN4XTv`#c(%n+a$Gigp2{43iO`k+0|GidZGUj-k`WR&Q@3_k+S?5 zNBT*#vZ@}Bpi_jogHYA##vtc$$?1&~22*7}8Vxx%gUKZpxkphrSdx#emz4y*_50a& zH0QZN#r2IFL)hpQN{AE!n!|Xs7n=tj!3}lGmob*g!f)_Y2vW7J`t9mn7^B#+BBUM% zczNJeP#;OOlR6(|kIOLEd~xWjzy^Z<>650zm=Iz4w*DtM=`QE`XNe#0@dWNO$fBve z#MBqtw~ow*ti21?J;j>2$LuwdJ{Kv+@+-42Fxks1QPh^sJtj?%a0grEW^ADu%s29T zK<30tUeFl!8RqZF1HHJa$@1?zthM%{iSd;L`V~^h(F>O9sjU}1Y#ylS+BKw|vroRg zA}n^m3H1#N8cE-q(^~nN;ClXMoY2@>I86DSBqP2A9a)PMBQIoWI+dDp&bOVXj~cX? zrMZp@qGJ%87oelt%8&7NN7tF3QW)I(?+DTqNDD=NBci$QV@GFkP^+fp7UBr25r|+@lhf!fK@1+ zMK9uBj=G4Z*coSIt)ci$mTJCfORpf2dc-(9P9nu|uBZhgv0}I;iSc^{0GIh6p=>1% z^>m%4H0%gIz5XwbJVK7$oO{e9yA%Su$jzhnsEeE%i3FJ9DC_c(kAqMj{O+r4q? vF%#%MbNSP80|BeSk1iP^euVhhIlQ=rm474brEXgQ;%^BN8Q}s!-4Fi{yaM#E literal 0 HcmV?d00001 diff --git a/monitor-object/etc/monitor-object.ucls b/monitor-object/etc/monitor-object.ucls new file mode 100644 index 000000000..fd7c113f5 --- /dev/null +++ b/monitor-object/etc/monitor-object.ucls @@ -0,0 +1,158 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file From 328f917749206ce69dbeb703955aa7f2ad27f914 Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Mon, 2 Jul 2018 00:42:04 +0530 Subject: [PATCH 06/15] #564: Collection Pipeline pattern --- collection-pipeline/README.md | 29 +++++++ .../etc/collection-pipeline.png | Bin 0 -> 14519 bytes .../etc/collection-pipeline.ucls | 62 ++++++++++++++ collection-pipeline/pom.xml | 45 ++++++++++ .../com/iluwatar/collectionpipeline/App.java | 60 +++++++++++++ .../com/iluwatar/collectionpipeline/Car.java | 56 ++++++++++++ .../FunctionalProgramming.java | 61 +++++++++++++ .../ImperativeProgramming.java | 80 ++++++++++++++++++ .../collectionpipeline/Iterating.java | 46 ++++++++++ .../iluwatar/collectionpipeline/AppTest.java | 50 +++++++++++ pom.xml | 1 + 11 files changed, 490 insertions(+) create mode 100644 collection-pipeline/README.md create mode 100644 collection-pipeline/etc/collection-pipeline.png create mode 100644 collection-pipeline/etc/collection-pipeline.ucls create mode 100644 collection-pipeline/pom.xml create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java create mode 100644 collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java diff --git a/collection-pipeline/README.md b/collection-pipeline/README.md new file mode 100644 index 000000000..3599a6d5d --- /dev/null +++ b/collection-pipeline/README.md @@ -0,0 +1,29 @@ +--- +layout: pattern +title: Collection Pipeline +folder: collection-pipeline +permalink: /patterns/collection-pipeline/ +categories: Functional +tags: + - Java + - Difficulty-Beginner + - Functional +--- + +## Intent +Collection Pipeline introduces Function Composition and Collection Pipeline, two functional-style patterns that you can combine to iterate collections in your code. +In functional programming, it's common to sequence complex operations through a series of smaller modular functions or operations. The series is called a composition of functions, or a function composition. When a collection of data flows through a function composition, it becomes a collection pipeline. Function Composition and Collection Pipeline are two design patterns frequently used in functional-style programming. + +![alt text](./etc/collection-pipeline.png "Collection Pipeline") + +## Applicability +Use the Collection Pipeline pattern when + +* When you want to perform a sequence of operations where one operation's collected output is fed into the next +* When you use a lot of statements in your code +* When you use a lot of loops in your code + +## Credits + +* [Function composition and the Collection Pipeline pattern](https://www.ibm.com/developerworks/library/j-java8idioms2/index.html) +* [Martin Fowler](https://martinfowler.com/articles/collection-pipeline/) \ No newline at end of file diff --git a/collection-pipeline/etc/collection-pipeline.png b/collection-pipeline/etc/collection-pipeline.png new file mode 100644 index 0000000000000000000000000000000000000000..7fcdb0b9452a3c206443901ff3fc693f8ff58efb GIT binary patch literal 14519 zcmeHu^+S|xw=Q-7q9TKWfJ#YABdJo-4MR)k5Ynx}fPgdu(n>cBFf@z|B`pjgISwfu zL+5!0-}l>J?0wGu1I~|d$FuHruXU|!t#wbZvZ6HcO^TZY1O&t~uO(Co2rkAE5M0o? zei8T&i)si70fB(8jKoWI_vFX*CsttlWQ(h`DgA(D!V zGOW0N>!(e5Knv%V&Zkue<2QX};UjNmh@ZCCxjzaIp8g)^%6Zj`&F|CY5H}yQF0IQi zd1f^n0s_9h4(ReIKo%@#h|N1IiSgo&7E3Zx1x1ELxRpkb`L(sy6@WDF2p$mo;KeE> z0t*ljyoh{*CHV0{j{V@|4gpb6?N!|J9l~qxK)H8K;nnYMQ^;=ee%6oJrI%%+d~^1j zch1E)07}b~D>Ve_r4RXWnq_Fde0lEDtLB@8(z$L%*y~?Kf$_n*QilL#8Wifzl0H~q zN!=o6rf9J~v~XT%#)m%)m<*WUcUYfHHY6L*kaitqy zB}6>^1E3jvV@aPr$^CrYAs6vfgu&HV1ya^Yj`9ncg!SDIEAEMT3UC|8n;AVJnqEGv`*cq>f{c)GU3oAg3crdLlNGNu8iV>e7!w~)RNgV{o{XGqP-0$( zROh>yU5QP3MKeW!LJ5I(EKLasr6-@(;WYAN3kcQtO%N#j*f!4QhO=5-}zG-(S$HToPblhn@A|!2+)u z2nk8_IU3%c&S2_SFByt#Gy0u16(|~%RBCkovVh(Og)6V4Q2xVkMr3~SQOW7tuu$JI zw0Q0TKRQ(wE__%jB(r6n&gB_sf<7Aysr8i{&-dPzul zUuq2wN+V+9y}NKalYsOxmL{Y1FnPq+8m@VJjjup)ZZq1B(~onXMZ+fSif2(Fr6spCKkD3>l&=E zdknJsY+P@o(WnnHm?d2$ji=VGF`|GZ%Q&8BYFBF>aa5Tm2ZiET<7}A8sLBVVpM@7M zXztscGEuC&xkuF|?V9%Um&#y))G`EH#N3}1n%T&Zt3^r3uS%);O=Cp0kQUaRlDM02;l%UMwS9ds;br}<(ojj#>fXH!#cm zpwnv%>aW7~nw>rVN+MbK3Nwok9OvMf-iJz&UY|g*G)l30v$6MU!Ys8!su(_1IE#3O zv^G%;%CppVZNGL|Q2NV`NFydZezjaHNt-%8wD&6#U3U^YKE(*v;$RCITeDh7pOYDM zQpu!{a~E=zL1?`hHR(82MrP2fw%&o$sh&C2=a&pR`pp90*kKm5M$Chz^6xfq5T=>? zv_2PQK`gZ@5-JtHPd9(&_Kz=SY4sxK!Y|QyZnX8Kj-K@Q`9=F}q&1w1?TPFmmKA9< z&x-Cx8DxH@($6ljS?9HjKAZ;ePv&Q>~Fw3WsS^uvkhlV`Y9cd#DXGu8LpSqwcERd*(?mCh8(Uy(vQ8ilYRBgb{BaSkqN zUG7@G+f!`bCxQKgf6T8o3u^OH+liyT)_kel0n)TCd0=?zg{{ez4ZRDZu837a&Nyiq z)VZOXN@zsg4@(aVDm6mZFqHJGWiI?|0&tjB51V&?_T9-!GP|&h-SF3GWDJBz~>OscuEBu`m|o%2FYgA^yd4;n@q_PS^^{KWVsR~D({_IBtLHXiM^c%lz= z_tS%9D{Q*8-0$j|ka-!)0f2jb=PM8vBu8MscS;>t?(RWsGyg(gW<;`;iAZYrQTZAqJT% z?Y0Lg%q!h+(X2FZsBJV{G;@AzD!0c#3VJ}wxi}){JG7$ECWISx6^&69Y<&xVXD_V% z;d!2MT=5iFzj?T|YxF@sZZ!F!7f8BWaj2V7By^=4-It0?P6%$pezF(u>k;I<2ZSWq z!3?b!zep5nM62^NFJ{QlTunqOj#R-VlESn@n}xN0zm8YMK4D!x+Y9I6syr!8Zc*gy zmA|_b(|yJuG|OmS4;M&3!0@EmX2sba@aAyZ;P*#*+O?(npRK6|K-<%)6+~*4jIcH= zb3KPE@5j1ECCKiLYQ*K_n7v9Bhe8V;R$BC*3N6jq*6J5hywO7u`gw-Nd^(FW*BDFe z?X>4%o!B!{KvsoEGxl}{B^@D&XIcuGviLQ@`&X9w=ez+`aj<&(49%i!t+3V$wt4VP zfwy*Zt|pUQXsW{Qux(dHE4|)c{^2<4w%&sQS=WSL!g>&G!TmlqMXYUdP)WFz|H>`X`W|N8CHFe1L&mx1s{5p>uzd6v4BH zOBCHD(!e|e9vwBp9PbyF;IMpM>|oi2-3S9U14bzzn)_QzNDIF5v5{Z_0=@sg26`KP zwq!~OK{LvMFTiueQh_ab>%vzfUSk2u7noKo8`#;y(Ygq0mFYW2jp>H1l|0}HzgWPO8>Jb*NcJ#D;%sxuh&4KjG*EM zmwlQmUwM@+K#FXXkJCyW0NF(c;ZUdGCji5#D%dZV@fbXHw`d%66H2pFFei^DiV35S ztsfD{+T30#HA1hE_PDjhH0;!>W}zj*gkd3J^cs zQ zDnapu$GK)1q7}g)-%XmvT?EInD%0Vu-PY>Y>zsK7Ru1s1-PpfO~D5|_zl8us$}BM*3`6@TvAIi(v{G`s^ml{rAEoX73ruRoMJoapxy z>>u!SZ^}y_)L$nbu+m&Mm);QZ)jk1d^AUSxdsKG6!AV{WU3i69d^nbKKWE7cRCVB= zJ+v$_*f{c>7y=vATJX3x9Iw>FpWK70+xBlP4>k#m2v;ome8O*dGEn0eL~<1!1)$}a zJR$OAF$P(FbXs*b^B4gK=f^9i6*>qHhoCIO-W83RU5qQ+u)LMkAyL8}`>9+To7D3o z8EigpWW_LcnM6S~5$x^+<7VwGKk-V+{T!JOk!(7_*iv`1;^y=wIC(W0bF>a!j>|pW z3fS3%gLGVRv5hvP2#nF;W*(F7(VjYhzRaCL1<0KQO6nx-a`Y+A<4CC|w_V|=C6woWD_$Gfz*-jYV?;n@JvbRl-2V}OI$qTbG-(70_mBtPOv z>#1LJ==8XQ3qf~Z@4SUR)cRDs8X}6E!fjQ?qjm3d>IF#8UvfiGP!Bdwjvd+R2VHzdY#UcR65paxA5|g`uHuQ} z7@w9-TkqjQ_bi3iCV6&V)2iH^79TzJ4D2ZEP*9zi^Y@uQVC)q2s@(VN`5@CDAIC~O zXW-U()=(2McW{s#pSiB(P$K>{?el^$2ivo+C%5P1KVgcS(RIJ9%WL}b57y^I{gg%r zdQo|1@fj~I+3JqN=0fYOXaW+qtZh1%14_KzXZknc3lUU)Soi!<#~oGr!<#*(LM-`r zAKJXnc^u_T(Fzh}voM|*E$Zb{7zup~AvVm&tSpHNDIXFu*==KIn-IkbYlh(}ki;4B z>}PG;ePF?moeMtgWxE_jEZ91CpR`tuqdj(YBba?Jg@;kdu5pika;m}a*2&1ZD^4j$ z$<@DvL;*tTB6Gj!R61fuLvzP=nwA8zvnPxcJW@7bB;**kjqLXDiQN_|xSf{YkR0sy z5if+?F-XC73L2#gT4TM;Ql@X3h3tZbQY7`EfIni7k5B^|-ZM|z5!c6&;xlb~#X?;+{6p)Y5h*m)w3OGF(G@rGiY6ZM;_Y z3INk4@M9`fH3OGF;so_g_>AUJDhii-O;4;fEVvG}nUPSd24_tsyKK_6);4`T`Jy|M znU2X1S?{RyK8VlX@uc%A*gv)HI@Oo$XrJbhVdD5=D;3}Wa_(byV)*u!%7*kh z=H7NrB6^nJVT$G=G%Vx7^SmLw^(xO_CuYXV78T|j#l0bmvht<`0*j|W(jHicO?ny4 z>_gAJSMtWY`IdHp04UzTd?R)Kea6I(u$oXbdUqtSGrX`<4TmY1R{LoNBm+5dRLX4Q zqfu*xRBCDlFaIbn*v@BKuERkKp`uOX;bo`nmVXd^q!Y}-8Tn;xXkTuv9Ysa9*`%SnMU=No-fAgE0#oUV z%gjQWT6Z@1EdV4gmt?gIWh24nb!BN*4zMMhTR5H=DyIQJ9s-4q*B)=Vg%f-sUdqpV zs*C4%{pS?&3pHD^4xcT<(0`Ti04BGjyKIdm*Wb>5$s$LP6#l3BC!I?kHav*B@Zwgu zYM>6^x6^)`P67g-7vdKP2p+vIbpUFJkD5@xA0I9gULzp5ewX#({~!3jsDz32I9krv z?{c&<^833eKyN4}Ry~h4W5){}D#xKfCAPW=HFpzG<-40eZixak`{g35UNK(Lxdepq zEO_-YN19;&xr(a1_m3*7yIdQ7iTH3Y%3?gDf4A^E_ghE&n&AkT_WqQq>3(ihw61$B zHK`EXS~bFLzD7i8cWV!HWXUz@>FdhZ$2Q@qHM=KcqyJxpQ~bB@zXMYAKQ+^SHsQTr zwi%Wwx@Tox-(fOBiCZ0Z8ukFp&#%Su(OkgGKGa_Tt+GbN73v^kijKLaly~*O+3<*z zU+}P6mY!Jd+UswCxNlsDCU0^ac7$rWi(X|rualBbA|mF7^U}XU#$yV} z*8Z-O>RKmGF>6zdFgF3+p}Mlb#uQWoAoA^ycXt*? zua~JVRF)Y{ej0KWo$juRfPLLmPS`2-cGeYj?@@f93Ksar&^(|vaJzatmVi*2I;_;; z9dRI+cH-r@4sf;J4I**^@PpWn0lHH8Hq@N#n`(k@onPeR7~Y$4f!MV!HeVsoylPg) zbAvSo?of00K084v*VC9RnKucapk1(U4j10RIGq!^2h=Xab~J(anfKo^#nEZu!+8o{?S&1r`@I721Ht^c`Tin#xF7*&y7 zQ>oec)Zl_-VGkiu{1>BI*@WxK6{^>1<5IUWf86YgvcqbLI-DT9M*MKCewr5hGihhD zKlsnM`g6{9zUNTaXfM*{*sCA42(^o@<`>Rwey!?SeHz8^9($LEi}vB21yRp%a9pZR z5Ey2Mji;_VjP5f$_(rJ0a(qq9V{tX@D70#FXF=9_W?*s;d9<%_O;OKjaqZgHK5n~8 z?+4{{B6Lp|h|Uf-C=%|3e{`bpmt>Vwf|3>tu<0R6&$d%-)`XoR1e?ze=ll#^*Ads& z4!#V~a-?`1&oP!H`5yX^=xL4Ij99YFb83$YfZ8+sk?AAY>h67DkK=!<3My{Z(DfPiI>~*oeBLGVL1DmnQuYV^_%4u zu72CNv{{Rz@{zNJ#)U@L$;IX+qzml;Zn$RnVLOVSR&mHq}&zm9#^Fq4b_*do$6K^N;SR*gXcbCP%L(V<%Mk00%ir=x3=wjEb z>$0L5{2u9UZIrPI833zzGZL3NKji8iFhiA&8?!1``LL;%UVc&d7JatVT(ICL3H)WA zgF^h5$0)N9fxXAijK>Rw$e4=N@^{@PKz;e2#uSn>!>EUpQ-b~d3=ZHx3S2<*Xpv2C ziT`ujYP#8v`G*6v?2agfsj}m$$G~Z%-n{<^YN?@le`nl$GLJCtL3?kChexbIq9#ky z_E>_z{sN4q-~@q+FW)c=!=xxVg|4n^8H)Ph1-?iqQSqqvVyL!Axu?Jn`;SXF-32B`A>BIZjsi0!sY!4Pf`30WpySlxV2%H1L=k8;u+z%q~BfELqSYpZKqev@ks85N|oF2XE z=|B{hiA#qUwx1lL?LP6WL7A_}+d8$#`2%y&k-lNG7td7cr}DMf!Y&;-{zN2DV5}!k z4SanNHg+dv52Zjz6R~qEZ4iZ!m~qhXxjP>mOcMX)LH>)0pQBGH@fJFaB0th~yGgiy zJC)F$enDZmv8@7+zz^t9Nqtgz0-)ErmuTyUY-4Ns zmy~|67b$XShXJsNkA%-O|Ae}i<%iepc`41Tv18qN#qAWKB8;uJnq$d%qYZ2#G4*eM zJ>ZOO5UI7|{Z?22Kv<{gKe>;#Pe4^-*uW?d_P-$*&B7$xwj?{Yf?PqV^5%id?Y=aO zZC(tQ0^tsv$_#RVzW;XdKQgfsa(vP>^zL@Cue1C(qU|m^&*Nxwf}I?Y7;ZWE^{*=) z6>ZFys|d2z^EkceS2C#FsK^mXvo7sL;iRAP5-Qo;09UjAIW~yVxnI(r;yv9U2iF_Z zLYfR1`Nvg@j6zE&IkR@PD3E1<6j}7>Ch?KM1qZqQNkiukBAM^pnKI|=tlUH41{kY6 zik?rQP>3lP2=wB#-bHZ3h z(k(SwC+k0d^>a&@z@CZ(FlCem*vA;)k$6BA59qq*xR#;7Qr`eA-yYOq6@mT%Mv5nT z*}&Ci@a>^22;)-6TC#u|^gk`}{|Nb_U|3~51S-zg>W%Vs5sUWldo=`G@s8`%E4~~k z_e1$nC$Kdz?-8poCfXXC)eqB7>r1S0c?$UPy^mag#Xm9zNKqjlVuPk}k3zrAFN1HB z=RsF|1m9qG{J@elz>QnPj*0m4d2=VF(ojP8wBwGcBMOIKpYCk4e^zGIM*I3Jh zY~^~xH`SMkucXTZA^%T!Wn(=)oAgj$%{~=m^Nx+U@?H9Qo0IHpV3Ga3;==A~aBI`Z zj?wTXK>By7HKInQf?DtRLa%@t6P$G(ahaG|V6Hl@T_TKUcn=>#p>QH8pj47$ZoVxk z*F`h)+OZ8}6z+L_bVcj!)y}3@bE)0&2rP2%V>fv8|?Yr=;&mR$Cj{w4ZnnspDN z)@+~_WE++jkx`t{!gYiOLdgnsj|6*V}lEvXJRNtOwf03SFl74HViBx}8c z;{9o|B2RxMFdX2w@n5V)Z(6iyix}yb+9`y+=IGC@)ZI5hszV+VOMLZiJ%u8 zm@(MK`k`I^eTZZn<-{yBka2JC^8Le07Z0B`5BOiwaSLVf$rgDOo2m5aULQf*yZPDc zPyfcPKb~Nc=Y_QjY3866V^3}GU~J|aARoQ-ttt(rrfydHlX9bknYcl=E{w< z$uoz6sA4|QrryY?o-U!uBhR9Kc0E!n)5WX@&nPp6SnK;gXbclg=*Yt9U}E%sztX`g z)@b9uIflFz6Y2XH&6`FQ5m`B`NN4$Al~i$bq}xs6a$5Z~F#$QNu_%K?ekYcc%N?I( z&M!v!;;M~!Z0>nep`zVuZrtt8(#$qwxXu88&A_lb3}y;(WC zBTI$$*~S^!ILsZdaAuFN!P?Fb-3&)EgR@4<3}}xi?f5 z-1tdi@wb{5PCpiZt~clB`l-}H;Z}$UUlW!=dK7Zdn;pWV>_pVf>*=ZLL|w>!?dp!* zmk2YnH7~3*;Fx&s{G{Z^B4xkQKxwpDn8L;}wTCcSm9DH!6xlLI7ATd9MVFZ~S3~*= zu>Z4U1qLDu9Ou|?*&LBnyM4)gsjbdg5GZwh)V;yM$@YU&1&YgrG`iNbw$x+@h4t*| zt-6&5#{0+U%0-o803eg@!*`?Aqd|Fqe-r@<`$|g8R*#0?unH?2LnX1&vuomgg%AFM z=;hyx-P&Rgl>(Zwt9aG(GoX;W-d%gFCdvpM)!6hmWWw;U)AP}}1nMT3TqInX?w)IF z8WvM%=`=1)eojjvPrNt7%e79Xdh4c+55#dxMQiDLAdRYN?{a>1H(kRbRfjzj9*;@kO0F>s~Xep@xJkcITA*ycC5ZSO! zPqa(LcDw{|+U_&-8a*E1z}0x1bth7#xJdJ^1vO_a(Lc=8Lp!ndT1m=Wzyb$Juc<_- zhCT!ybGhgHn?iG&E=3C%a{dcVKr^6vu(rG6(M1)5lxPd~>D7i{i>XE4+d#;`C)#by ze+4n-C&yWPRL?RSIL02AZ8!>EQ}HJY?LuFV%f4VIyt8hrOH&MYzV^-=kmzrs@+Twc zM3wB9pPejeIp^K;xmHeQP-6@i(RvT>H(fF;#~M6zoRmmD`l*DxGZy(blTd)+n_Fe8 zmBgA$`>@5^wuB`~ha;Z99UHj~(2dT3T70GKzYqs&{N;n{68liO zshuRD@J8RAc3+>JcHr?tk?J-Tu<$dPfSaXHGtio``dI4l>%mRO|H>Ki$~LM_`#Bo- zTSsnDd9MBlleIoV>2mbDIXGu}SzPIz!3k#k^N-42QE+Kjq3%Gvi1sSWvvn=9tu0LdL#At9O(NC%U_~2L)TV7gEa4!ndDp z#1$Ms+Af9J+%9;_Hj%^2-bIABXh0Cm$tB%OCu<(GsX?85DN9@jyE#gyy=zC9(}1WAlbkZY*Gj>1^Kq0Pbx_u0WI~ z{Wkh(Baq&LXeOYXPf=&)^ULZ+GM$wE^4yg#tFb)~g5ZF>_)rcZ?DL&@qPdb|2Rdbh zBwKIo_jtBBjMkr=i#ZvNi?iE9r>ItUM~RD0&#m8*jZN$k9*@CZ(f*m#<=0_jEH z29yW5dr6AGV(CUpJ)$$Q++<=eGfYi^8mVoMS7+0CE{F~N8M-dyjy93D^O_C^R}~tJ4PVh1JlalZ|;behsBD0Vott$N#ZMv&CBD${;ag z>ZpjL-QJW_o%KxFHIh6DNSf+G4WCqW__j;v(3(`HE-$Z%K+;KOScw;-UmY5?bIoh` zJXnuO?Eh1Q-k)r4Z>|Lr0sL*q+t)08RTAAl4mQCYeHc^b*f|?(wX$m_4l0LyKev(; z?P^-fAE$KqJR1gO!6{C`AVf4I%goag(k?Aihb{5ZL7jtAIQwz-TzyG?64({ef)ubj zkES<|&h(Gj!mT+T^=+IOCBj#XGKdwxzurEBr9@~=(|gDyA^ zMHz65N%1V96UVZOm>F9ulGNmSjV3zs?k*6YSKaU~cM{2P6V!#anQU5Q8! zE+LzFFgki{yA#mT8c3iBE1*xx1rRnfV7xY%x@u-K)-5Q~>+Qahh~O@=->Kk=|*5u?qo0$Hbwo@Z>RUiGJJfrRE%6DP00PdhCF(`&2c|9DD z0NX?-GX`zg5Y7GQ99b6c=W+N3tz7BOexn7c5%oQh+Tr}&1 zK;KvCA;iMRnM_I1uNb_e(dG(#!=CY!~1Q-uK_uMEpR1;<;$z@|@7Her81jS%oX+_dAV9J84C_ zo$@}011K?cr*Xm=7JY9i^D{shmp-l@alRHwmv!^2xRY{JDziGQjNefiYYsY`37?t>@%^%DHR$c8Q@!&nQ#4b2*3@ zupyF$CzdT@$s|&8q^bdHi<(y=HDyY@c0J~*kLU6jCwogw zQbR;Ls)&)P49%|jg1@YDnSR&G_En)P!0%eRJ4C`^KZZ=^5#{n6A}_?v0qJ~MkGHxo z&p)s$W9S^GBKx-@UV5@k>{XkfyN_O=IFD1b4~glgCxSSPDMha?mN~4GzJp~axdd`-#ji14XL+kz zNh{J}WK)<%K($B_#yW9d5C{v;KZ_Y1$M7W1*7U*e9`<3p=I3=g%jHK3kM61e4cHMO zAB%j521ah~iCp;2H;Ga}1d$*byQ6rWd?o#>g@?N#*tG|dH|^QC%gJ=RNK$@c z==!que_I!}K(`imU>+G!kBU9bz5vD||Cp7O;qERc#Xjfj6V6tFPSt^FnxT<%Wjk=zNe+L6qIK-aP$GF(Rf? z{3-@<#=>x*a2In#&4N857VNF>02*%u;15`~hcNoTr^J1ptyzHI^|U)No9ad_zP|Qu z_YD@`W3b~%E@~ngShY}Gb1MuGrATk@_Oa(=XfYR{B&aYG1NE9j?#_fJ*b#}J7RGwKWbZQ{*v^3Q*`dra5YFQpl*VFs7)(l*KBA zoG?zlY*D@Z=KGWW^DbAiCn0h*?}$Xyb9OUc$wDy8AYTGa9yTWsdeEm4($HuzmDKQik+L;f26|UY27yz z3SH?*yTAB;5Kr!DYxpO=u__+8P1 z&n3aWIogz-anAmfMN5N@Gs8I6RYpvzByDf!trU-Pkz|EETP-gUB)NfSZnr=TGohOg z557ZrHD^)WtV(nP(fa=V<#i8H?Ue z$&q?gM+5>^`{IgxDYF*-2Q2FEpj~9=7WM}F7J5De)a%a|<11zVk10({tlkDX()Hj& z?t~6+b$)oF{e0XLpVZ=)qDcY^%Apa)Jr&jqHPZ-rys?18vq8Q`XvUZunnP`G12dJL zi&EQ6Jy3{j)Tlv$NeN35tPmBQ3HGpiM(1tZ4^klCohnhMW|Nrp#=|f*j#PEZr7W~; z4B|z0*05_OoeZCXRc-8d9tbDnJVk?Z5qYC!si$mX>Sxg-tEu|llyU5EmfBdNeC4)F zPX;o^)_SP$)f+!4yzTXP%G51V(V z)n2HJm6;fs6d147kmj(IizD;d&q91JJHZi^i(9b76?+en3hefu%(xKYV4}}~<}ksrf0`(B$g%M(gP35W22Kjt>N`}Y@mED8 z*#M;xb=ot_u@l(rUJG`r+e;nSpo|xBe@!3f>a^?5$Ta+u6GAXHEU>6(KNPjrSy@ag zvP{HbAgGi#Pzt~*0f7t;MX&3B^Ijy!bwYdKT5+98Z1nxrdVj2Kt;KTC_p;7)XgoDD zw_;vx4fDZoWHyZ!ex&L3F>3>Z5Fr@8Xn=ZqNc4zicD0NND2@UUK2(KCNCav$* zDjVd-OX-6iMA`ctnsPPekAZt5^>A@Qtv&mdAr1Vt!Z}+FNPJjV=k>^VAO<<2`qrmQ z0Fpg--{oMt7sorg3@~L@VIjD4g9^T#UrIfwyH6Pr9wFklvQOBq))QU;*zT^JkC1k| zn&AX`qt`gA|2PYAKNr568|RPE1Xt?iL9mClS@=^G67K*{FnzAsd#-$kC{5g1cHPke z9;6{ac0{V>Y!kn4RPFVpc!_}w;J2$C&T-)7|J9~kGZ~pW^;W~3$IE+8c8=yMp;f^HDr-ZOJuv_TAG;SikG1>;J*z@qREhSOzm)6IKBQ{jgMf`R3s}IZh literal 0 HcmV?d00001 diff --git a/collection-pipeline/etc/collection-pipeline.ucls b/collection-pipeline/etc/collection-pipeline.ucls new file mode 100644 index 000000000..676dc48e8 --- /dev/null +++ b/collection-pipeline/etc/collection-pipeline.ucls @@ -0,0 +1,62 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/collection-pipeline/pom.xml b/collection-pipeline/pom.xml new file mode 100644 index 000000000..a663fb35a --- /dev/null +++ b/collection-pipeline/pom.xml @@ -0,0 +1,45 @@ + + + 4.0.0 + + com.iluwatar + java-design-patterns + 1.20.0-SNAPSHOT + + collection-pipeline + + + org.junit.jupiter + junit-jupiter-api + test + + + org.junit.jupiter + junit-jupiter-engine + test + + + \ No newline at end of file diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java new file mode 100644 index 000000000..109d60b88 --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java @@ -0,0 +1,60 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import java.util.List; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +/** + * In imperative-style programming, it is common to use for and while loops for + * most kinds of data processing. Function composition is a simple technique + * that lets you sequence modular functions to create more complex operations. + * When you run data through the sequence, you have a collection pipeline. + * Together, the Function Composition and Collection Pipeline patterns enable + * you to create sophisticated programs where data flow from upstream to + * downstream and is passed through a series of transformations. + * + */ +public class App { + + private static final Logger LOGGER = LoggerFactory.getLogger(App.class); + + /** + * Program entry point. + * + * @param args + * command line args + */ + public static void main(String[] args) { + + List cars = Iterating.createCars(); + + List modelsImperative = ImperativeProgramming.getModelsAfter2000UsingFor(cars); + LOGGER.info(modelsImperative.toString()); + + List modelsFunctional = FunctionalProgramming.getModelsAfter2000UsingPipeline(cars); + LOGGER.info(modelsFunctional.toString()); + } +} diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java new file mode 100644 index 000000000..be113c7cd --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java @@ -0,0 +1,56 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +/** + * A Car class that has the properties of make, model, and year. + */ +public class Car { + private String make; + private String model; + private int year; + + /** + * Constructor to create an instance of car. + * @param theMake the make of the car + * @param theModel the model of the car + * @param yearOfMake the year of built of the car + */ + public Car(String theMake, String theModel, int yearOfMake) { + make = theMake; + model = theModel; + year = yearOfMake; + } + + public String getMake() { + return make; + } + + public String getModel() { + return model; + } + + public int getYear() { + return year; + } +} \ No newline at end of file diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java new file mode 100644 index 000000000..7d9834bc0 --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java @@ -0,0 +1,61 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import java.util.Comparator; +import java.util.List; +import java.util.stream.Collectors; + +/** + * Iterating and sorting with a collection pipeline + * + *

    In functional programming, it's common to sequence complex operations through + * a series of smaller modular functions or operations. The series is called a + * composition of functions, or a function composition. When a collection of + * data flows through a function composition, it becomes a collection pipeline. + * Function Composition and Collection Pipeline are two design patterns + * frequently used in functional-style programming. + * + *

    Instead of passing a lambda expression to the map method, we passed the + * method reference Car::getModel. Likewise, instead of passing the lambda + * expression car -> car.getYear() to the comparing method, we passed the method + * reference Car::getYear. Method references are short, concise, and expressive. + * It is best to use them wherever possible. + * + */ +public class FunctionalProgramming { + private FunctionalProgramming() { + } + + /** + * Method to get models using for collection pipeline. + * + * @param cars {@link List} of {@link Car} to be used for filtering + * @return {@link List} of {@link String} representing models built after year 2000 + */ + public static List getModelsAfter2000UsingPipeline(List cars) { + return cars.stream().filter(car -> car.getYear() > 2000) + .sorted(Comparator.comparing(Car::getYear)) + .map(Car::getModel).collect(Collectors.toList()); + } +} diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java new file mode 100644 index 000000000..092469fbd --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java @@ -0,0 +1,80 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import java.util.ArrayList; +import java.util.Collections; +import java.util.Comparator; +import java.util.List; + +/** + * Imperative-style programming to iterate over the list and get the names of + * cars made later than the year 2000. We then sort the models in ascending + * order by year. + * + *

    As you can see, there's a lot of looping in this code. First, the + * getModelsAfter2000UsingFor method takes a list of cars as its parameter. It + * extracts or filters out cars made after the year 2000, putting them into a + * new list named carsSortedByYear. Next, it sorts that list in ascending order + * by year-of-make. Finally, it loops through the list carsSortedByYear to get + * the model names and returns them in a list. + * + *

    This short example demonstrates what I call the effect of statements. While + * functions and methods in general can be used as expressions, the {@link Collections} + * sort method doesn't return a result. Because it is used as a statement, it + * mutates the list given as argument. Both of the for loops also mutate lists + * as they iterate. Being statements, that's just how these elements work. As a + * result, the code contains unnecessary garbage variables + */ +public class ImperativeProgramming { + private ImperativeProgramming() { + } + + /** + * Method to return the car models built after year 2000 using for loops. + * @param cars {@link List} of {@link Car} to iterate over + * @return {@link List} of {@link String} of car models built after year 2000 + */ + public static List getModelsAfter2000UsingFor(List cars) { + List carsSortedByYear = new ArrayList<>(); + + for (Car car : cars) { + if (car.getYear() > 2000) { + carsSortedByYear.add(car); + } + } + + Collections.sort(carsSortedByYear, new Comparator() { + public int compare(Car car1, Car car2) { + return new Integer(car1.getYear()).compareTo(car2.getYear()); + } + }); + + List models = new ArrayList<>(); + for (Car car : carsSortedByYear) { + models.add(car.getModel()); + } + + return models; + } +} diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java new file mode 100644 index 000000000..4293603cb --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java @@ -0,0 +1,46 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import java.util.Arrays; +import java.util.List; + +/** + * A factory class to create a collection of {@link Car} instances. + */ +public class Iterating { + private Iterating() { + } + + /** + * Factory method to create a {@link List} of {@link Car} instances. + * @return {@link List} of {@link Car} + */ + public static List createCars() { + return Arrays.asList(new Car("Jeep", "Wrangler", 2011), new Car("Jeep", "Comanche", 1990), + new Car("Dodge", "Avenger", 2010), + new Car("Buick", "Cascada", 2016), + new Car("Ford", "Focus", 2012), + new Car("Chevrolet", "Geo Metro", 1992)); + } +} \ No newline at end of file diff --git a/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java b/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java new file mode 100644 index 000000000..26f546a16 --- /dev/null +++ b/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java @@ -0,0 +1,50 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import static org.junit.jupiter.api.Assertions.assertEquals; + +import java.util.Arrays; +import java.util.List; + +import org.junit.jupiter.api.Test; + +/** + * Tests that Collection Pipeline methods work as expected. + */ +public class AppTest { + + private List cars = Iterating.createCars(); + + @Test + public void testGetModelsAfter2000UsingFor() { + List models = ImperativeProgramming.getModelsAfter2000UsingFor(cars); + assertEquals(models, Arrays.asList("Avenger", "Wrangler", "Focus", "Cascada")); + } + + @Test + public void testGetModelsAfter2000UsingPipeline() { + List models = FunctionalProgramming.getModelsAfter2000UsingPipeline(cars); + assertEquals(models, Arrays.asList("Avenger", "Wrangler", "Focus", "Cascada")); + } +} diff --git a/pom.xml b/pom.xml index eb6575ea0..4143098d2 100644 --- a/pom.xml +++ b/pom.xml @@ -163,6 +163,7 @@ serverless component-object monitor-object + collection-pipeline From 2c8d1744df346ca87e8843580c72bb6126f0f15d Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Mon, 2 Jul 2018 00:42:04 +0530 Subject: [PATCH 07/15] #564: Collection Pipeline pattern --- collection-pipeline/README.md | 29 +++++++ .../etc/collection-pipeline.png | Bin 0 -> 14519 bytes .../etc/collection-pipeline.ucls | 62 ++++++++++++++ collection-pipeline/pom.xml | 45 ++++++++++ .../com/iluwatar/collectionpipeline/App.java | 60 +++++++++++++ .../com/iluwatar/collectionpipeline/Car.java | 56 ++++++++++++ .../FunctionalProgramming.java | 61 +++++++++++++ .../ImperativeProgramming.java | 80 ++++++++++++++++++ .../collectionpipeline/Iterating.java | 46 ++++++++++ .../iluwatar/collectionpipeline/AppTest.java | 50 +++++++++++ pom.xml | 1 + 11 files changed, 490 insertions(+) create mode 100644 collection-pipeline/README.md create mode 100644 collection-pipeline/etc/collection-pipeline.png create mode 100644 collection-pipeline/etc/collection-pipeline.ucls create mode 100644 collection-pipeline/pom.xml create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java create mode 100644 collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java diff --git a/collection-pipeline/README.md b/collection-pipeline/README.md new file mode 100644 index 000000000..3599a6d5d --- /dev/null +++ b/collection-pipeline/README.md @@ -0,0 +1,29 @@ +--- +layout: pattern +title: Collection Pipeline +folder: collection-pipeline +permalink: /patterns/collection-pipeline/ +categories: Functional +tags: + - Java + - Difficulty-Beginner + - Functional +--- + +## Intent +Collection Pipeline introduces Function Composition and Collection Pipeline, two functional-style patterns that you can combine to iterate collections in your code. +In functional programming, it's common to sequence complex operations through a series of smaller modular functions or operations. The series is called a composition of functions, or a function composition. When a collection of data flows through a function composition, it becomes a collection pipeline. Function Composition and Collection Pipeline are two design patterns frequently used in functional-style programming. + +![alt text](./etc/collection-pipeline.png "Collection Pipeline") + +## Applicability +Use the Collection Pipeline pattern when + +* When you want to perform a sequence of operations where one operation's collected output is fed into the next +* When you use a lot of statements in your code +* When you use a lot of loops in your code + +## Credits + +* [Function composition and the Collection Pipeline pattern](https://www.ibm.com/developerworks/library/j-java8idioms2/index.html) +* [Martin Fowler](https://martinfowler.com/articles/collection-pipeline/) \ No newline at end of file diff --git a/collection-pipeline/etc/collection-pipeline.png b/collection-pipeline/etc/collection-pipeline.png new file mode 100644 index 0000000000000000000000000000000000000000..7fcdb0b9452a3c206443901ff3fc693f8ff58efb GIT binary patch literal 14519 zcmeHu^+S|xw=Q-7q9TKWfJ#YABdJo-4MR)k5Ynx}fPgdu(n>cBFf@z|B`pjgISwfu zL+5!0-}l>J?0wGu1I~|d$FuHruXU|!t#wbZvZ6HcO^TZY1O&t~uO(Co2rkAE5M0o? zei8T&i)si70fB(8jKoWI_vFX*CsttlWQ(h`DgA(D!V zGOW0N>!(e5Knv%V&Zkue<2QX};UjNmh@ZCCxjzaIp8g)^%6Zj`&F|CY5H}yQF0IQi zd1f^n0s_9h4(ReIKo%@#h|N1IiSgo&7E3Zx1x1ELxRpkb`L(sy6@WDF2p$mo;KeE> z0t*ljyoh{*CHV0{j{V@|4gpb6?N!|J9l~qxK)H8K;nnYMQ^;=ee%6oJrI%%+d~^1j zch1E)07}b~D>Ve_r4RXWnq_Fde0lEDtLB@8(z$L%*y~?Kf$_n*QilL#8Wifzl0H~q zN!=o6rf9J~v~XT%#)m%)m<*WUcUYfHHY6L*kaitqy zB}6>^1E3jvV@aPr$^CrYAs6vfgu&HV1ya^Yj`9ncg!SDIEAEMT3UC|8n;AVJnqEGv`*cq>f{c)GU3oAg3crdLlNGNu8iV>e7!w~)RNgV{o{XGqP-0$( zROh>yU5QP3MKeW!LJ5I(EKLasr6-@(;WYAN3kcQtO%N#j*f!4QhO=5-}zG-(S$HToPblhn@A|!2+)u z2nk8_IU3%c&S2_SFByt#Gy0u16(|~%RBCkovVh(Og)6V4Q2xVkMr3~SQOW7tuu$JI zw0Q0TKRQ(wE__%jB(r6n&gB_sf<7Aysr8i{&-dPzul zUuq2wN+V+9y}NKalYsOxmL{Y1FnPq+8m@VJjjup)ZZq1B(~onXMZ+fSif2(Fr6spCKkD3>l&=E zdknJsY+P@o(WnnHm?d2$ji=VGF`|GZ%Q&8BYFBF>aa5Tm2ZiET<7}A8sLBVVpM@7M zXztscGEuC&xkuF|?V9%Um&#y))G`EH#N3}1n%T&Zt3^r3uS%);O=Cp0kQUaRlDM02;l%UMwS9ds;br}<(ojj#>fXH!#cm zpwnv%>aW7~nw>rVN+MbK3Nwok9OvMf-iJz&UY|g*G)l30v$6MU!Ys8!su(_1IE#3O zv^G%;%CppVZNGL|Q2NV`NFydZezjaHNt-%8wD&6#U3U^YKE(*v;$RCITeDh7pOYDM zQpu!{a~E=zL1?`hHR(82MrP2fw%&o$sh&C2=a&pR`pp90*kKm5M$Chz^6xfq5T=>? zv_2PQK`gZ@5-JtHPd9(&_Kz=SY4sxK!Y|QyZnX8Kj-K@Q`9=F}q&1w1?TPFmmKA9< z&x-Cx8DxH@($6ljS?9HjKAZ;ePv&Q>~Fw3WsS^uvkhlV`Y9cd#DXGu8LpSqwcERd*(?mCh8(Uy(vQ8ilYRBgb{BaSkqN zUG7@G+f!`bCxQKgf6T8o3u^OH+liyT)_kel0n)TCd0=?zg{{ez4ZRDZu837a&Nyiq z)VZOXN@zsg4@(aVDm6mZFqHJGWiI?|0&tjB51V&?_T9-!GP|&h-SF3GWDJBz~>OscuEBu`m|o%2FYgA^yd4;n@q_PS^^{KWVsR~D({_IBtLHXiM^c%lz= z_tS%9D{Q*8-0$j|ka-!)0f2jb=PM8vBu8MscS;>t?(RWsGyg(gW<;`;iAZYrQTZAqJT% z?Y0Lg%q!h+(X2FZsBJV{G;@AzD!0c#3VJ}wxi}){JG7$ECWISx6^&69Y<&xVXD_V% z;d!2MT=5iFzj?T|YxF@sZZ!F!7f8BWaj2V7By^=4-It0?P6%$pezF(u>k;I<2ZSWq z!3?b!zep5nM62^NFJ{QlTunqOj#R-VlESn@n}xN0zm8YMK4D!x+Y9I6syr!8Zc*gy zmA|_b(|yJuG|OmS4;M&3!0@EmX2sba@aAyZ;P*#*+O?(npRK6|K-<%)6+~*4jIcH= zb3KPE@5j1ECCKiLYQ*K_n7v9Bhe8V;R$BC*3N6jq*6J5hywO7u`gw-Nd^(FW*BDFe z?X>4%o!B!{KvsoEGxl}{B^@D&XIcuGviLQ@`&X9w=ez+`aj<&(49%i!t+3V$wt4VP zfwy*Zt|pUQXsW{Qux(dHE4|)c{^2<4w%&sQS=WSL!g>&G!TmlqMXYUdP)WFz|H>`X`W|N8CHFe1L&mx1s{5p>uzd6v4BH zOBCHD(!e|e9vwBp9PbyF;IMpM>|oi2-3S9U14bzzn)_QzNDIF5v5{Z_0=@sg26`KP zwq!~OK{LvMFTiueQh_ab>%vzfUSk2u7noKo8`#;y(Ygq0mFYW2jp>H1l|0}HzgWPO8>Jb*NcJ#D;%sxuh&4KjG*EM zmwlQmUwM@+K#FXXkJCyW0NF(c;ZUdGCji5#D%dZV@fbXHw`d%66H2pFFei^DiV35S ztsfD{+T30#HA1hE_PDjhH0;!>W}zj*gkd3J^cs zQ zDnapu$GK)1q7}g)-%XmvT?EInD%0Vu-PY>Y>zsK7Ru1s1-PpfO~D5|_zl8us$}BM*3`6@TvAIi(v{G`s^ml{rAEoX73ruRoMJoapxy z>>u!SZ^}y_)L$nbu+m&Mm);QZ)jk1d^AUSxdsKG6!AV{WU3i69d^nbKKWE7cRCVB= zJ+v$_*f{c>7y=vATJX3x9Iw>FpWK70+xBlP4>k#m2v;ome8O*dGEn0eL~<1!1)$}a zJR$OAF$P(FbXs*b^B4gK=f^9i6*>qHhoCIO-W83RU5qQ+u)LMkAyL8}`>9+To7D3o z8EigpWW_LcnM6S~5$x^+<7VwGKk-V+{T!JOk!(7_*iv`1;^y=wIC(W0bF>a!j>|pW z3fS3%gLGVRv5hvP2#nF;W*(F7(VjYhzRaCL1<0KQO6nx-a`Y+A<4CC|w_V|=C6woWD_$Gfz*-jYV?;n@JvbRl-2V}OI$qTbG-(70_mBtPOv z>#1LJ==8XQ3qf~Z@4SUR)cRDs8X}6E!fjQ?qjm3d>IF#8UvfiGP!Bdwjvd+R2VHzdY#UcR65paxA5|g`uHuQ} z7@w9-TkqjQ_bi3iCV6&V)2iH^79TzJ4D2ZEP*9zi^Y@uQVC)q2s@(VN`5@CDAIC~O zXW-U()=(2McW{s#pSiB(P$K>{?el^$2ivo+C%5P1KVgcS(RIJ9%WL}b57y^I{gg%r zdQo|1@fj~I+3JqN=0fYOXaW+qtZh1%14_KzXZknc3lUU)Soi!<#~oGr!<#*(LM-`r zAKJXnc^u_T(Fzh}voM|*E$Zb{7zup~AvVm&tSpHNDIXFu*==KIn-IkbYlh(}ki;4B z>}PG;ePF?moeMtgWxE_jEZ91CpR`tuqdj(YBba?Jg@;kdu5pika;m}a*2&1ZD^4j$ z$<@DvL;*tTB6Gj!R61fuLvzP=nwA8zvnPxcJW@7bB;**kjqLXDiQN_|xSf{YkR0sy z5if+?F-XC73L2#gT4TM;Ql@X3h3tZbQY7`EfIni7k5B^|-ZM|z5!c6&;xlb~#X?;+{6p)Y5h*m)w3OGF(G@rGiY6ZM;_Y z3INk4@M9`fH3OGF;so_g_>AUJDhii-O;4;fEVvG}nUPSd24_tsyKK_6);4`T`Jy|M znU2X1S?{RyK8VlX@uc%A*gv)HI@Oo$XrJbhVdD5=D;3}Wa_(byV)*u!%7*kh z=H7NrB6^nJVT$G=G%Vx7^SmLw^(xO_CuYXV78T|j#l0bmvht<`0*j|W(jHicO?ny4 z>_gAJSMtWY`IdHp04UzTd?R)Kea6I(u$oXbdUqtSGrX`<4TmY1R{LoNBm+5dRLX4Q zqfu*xRBCDlFaIbn*v@BKuERkKp`uOX;bo`nmVXd^q!Y}-8Tn;xXkTuv9Ysa9*`%SnMU=No-fAgE0#oUV z%gjQWT6Z@1EdV4gmt?gIWh24nb!BN*4zMMhTR5H=DyIQJ9s-4q*B)=Vg%f-sUdqpV zs*C4%{pS?&3pHD^4xcT<(0`Ti04BGjyKIdm*Wb>5$s$LP6#l3BC!I?kHav*B@Zwgu zYM>6^x6^)`P67g-7vdKP2p+vIbpUFJkD5@xA0I9gULzp5ewX#({~!3jsDz32I9krv z?{c&<^833eKyN4}Ry~h4W5){}D#xKfCAPW=HFpzG<-40eZixak`{g35UNK(Lxdepq zEO_-YN19;&xr(a1_m3*7yIdQ7iTH3Y%3?gDf4A^E_ghE&n&AkT_WqQq>3(ihw61$B zHK`EXS~bFLzD7i8cWV!HWXUz@>FdhZ$2Q@qHM=KcqyJxpQ~bB@zXMYAKQ+^SHsQTr zwi%Wwx@Tox-(fOBiCZ0Z8ukFp&#%Su(OkgGKGa_Tt+GbN73v^kijKLaly~*O+3<*z zU+}P6mY!Jd+UswCxNlsDCU0^ac7$rWi(X|rualBbA|mF7^U}XU#$yV} z*8Z-O>RKmGF>6zdFgF3+p}Mlb#uQWoAoA^ycXt*? zua~JVRF)Y{ej0KWo$juRfPLLmPS`2-cGeYj?@@f93Ksar&^(|vaJzatmVi*2I;_;; z9dRI+cH-r@4sf;J4I**^@PpWn0lHH8Hq@N#n`(k@onPeR7~Y$4f!MV!HeVsoylPg) zbAvSo?of00K084v*VC9RnKucapk1(U4j10RIGq!^2h=Xab~J(anfKo^#nEZu!+8o{?S&1r`@I721Ht^c`Tin#xF7*&y7 zQ>oec)Zl_-VGkiu{1>BI*@WxK6{^>1<5IUWf86YgvcqbLI-DT9M*MKCewr5hGihhD zKlsnM`g6{9zUNTaXfM*{*sCA42(^o@<`>Rwey!?SeHz8^9($LEi}vB21yRp%a9pZR z5Ey2Mji;_VjP5f$_(rJ0a(qq9V{tX@D70#FXF=9_W?*s;d9<%_O;OKjaqZgHK5n~8 z?+4{{B6Lp|h|Uf-C=%|3e{`bpmt>Vwf|3>tu<0R6&$d%-)`XoR1e?ze=ll#^*Ads& z4!#V~a-?`1&oP!H`5yX^=xL4Ij99YFb83$YfZ8+sk?AAY>h67DkK=!<3My{Z(DfPiI>~*oeBLGVL1DmnQuYV^_%4u zu72CNv{{Rz@{zNJ#)U@L$;IX+qzml;Zn$RnVLOVSR&mHq}&zm9#^Fq4b_*do$6K^N;SR*gXcbCP%L(V<%Mk00%ir=x3=wjEb z>$0L5{2u9UZIrPI833zzGZL3NKji8iFhiA&8?!1``LL;%UVc&d7JatVT(ICL3H)WA zgF^h5$0)N9fxXAijK>Rw$e4=N@^{@PKz;e2#uSn>!>EUpQ-b~d3=ZHx3S2<*Xpv2C ziT`ujYP#8v`G*6v?2agfsj}m$$G~Z%-n{<^YN?@le`nl$GLJCtL3?kChexbIq9#ky z_E>_z{sN4q-~@q+FW)c=!=xxVg|4n^8H)Ph1-?iqQSqqvVyL!Axu?Jn`;SXF-32B`A>BIZjsi0!sY!4Pf`30WpySlxV2%H1L=k8;u+z%q~BfELqSYpZKqev@ks85N|oF2XE z=|B{hiA#qUwx1lL?LP6WL7A_}+d8$#`2%y&k-lNG7td7cr}DMf!Y&;-{zN2DV5}!k z4SanNHg+dv52Zjz6R~qEZ4iZ!m~qhXxjP>mOcMX)LH>)0pQBGH@fJFaB0th~yGgiy zJC)F$enDZmv8@7+zz^t9Nqtgz0-)ErmuTyUY-4Ns zmy~|67b$XShXJsNkA%-O|Ae}i<%iepc`41Tv18qN#qAWKB8;uJnq$d%qYZ2#G4*eM zJ>ZOO5UI7|{Z?22Kv<{gKe>;#Pe4^-*uW?d_P-$*&B7$xwj?{Yf?PqV^5%id?Y=aO zZC(tQ0^tsv$_#RVzW;XdKQgfsa(vP>^zL@Cue1C(qU|m^&*Nxwf}I?Y7;ZWE^{*=) z6>ZFys|d2z^EkceS2C#FsK^mXvo7sL;iRAP5-Qo;09UjAIW~yVxnI(r;yv9U2iF_Z zLYfR1`Nvg@j6zE&IkR@PD3E1<6j}7>Ch?KM1qZqQNkiukBAM^pnKI|=tlUH41{kY6 zik?rQP>3lP2=wB#-bHZ3h z(k(SwC+k0d^>a&@z@CZ(FlCem*vA;)k$6BA59qq*xR#;7Qr`eA-yYOq6@mT%Mv5nT z*}&Ci@a>^22;)-6TC#u|^gk`}{|Nb_U|3~51S-zg>W%Vs5sUWldo=`G@s8`%E4~~k z_e1$nC$Kdz?-8poCfXXC)eqB7>r1S0c?$UPy^mag#Xm9zNKqjlVuPk}k3zrAFN1HB z=RsF|1m9qG{J@elz>QnPj*0m4d2=VF(ojP8wBwGcBMOIKpYCk4e^zGIM*I3Jh zY~^~xH`SMkucXTZA^%T!Wn(=)oAgj$%{~=m^Nx+U@?H9Qo0IHpV3Ga3;==A~aBI`Z zj?wTXK>By7HKInQf?DtRLa%@t6P$G(ahaG|V6Hl@T_TKUcn=>#p>QH8pj47$ZoVxk z*F`h)+OZ8}6z+L_bVcj!)y}3@bE)0&2rP2%V>fv8|?Yr=;&mR$Cj{w4ZnnspDN z)@+~_WE++jkx`t{!gYiOLdgnsj|6*V}lEvXJRNtOwf03SFl74HViBx}8c z;{9o|B2RxMFdX2w@n5V)Z(6iyix}yb+9`y+=IGC@)ZI5hszV+VOMLZiJ%u8 zm@(MK`k`I^eTZZn<-{yBka2JC^8Le07Z0B`5BOiwaSLVf$rgDOo2m5aULQf*yZPDc zPyfcPKb~Nc=Y_QjY3866V^3}GU~J|aARoQ-ttt(rrfydHlX9bknYcl=E{w< z$uoz6sA4|QrryY?o-U!uBhR9Kc0E!n)5WX@&nPp6SnK;gXbclg=*Yt9U}E%sztX`g z)@b9uIflFz6Y2XH&6`FQ5m`B`NN4$Al~i$bq}xs6a$5Z~F#$QNu_%K?ekYcc%N?I( z&M!v!;;M~!Z0>nep`zVuZrtt8(#$qwxXu88&A_lb3}y;(WC zBTI$$*~S^!ILsZdaAuFN!P?Fb-3&)EgR@4<3}}xi?f5 z-1tdi@wb{5PCpiZt~clB`l-}H;Z}$UUlW!=dK7Zdn;pWV>_pVf>*=ZLL|w>!?dp!* zmk2YnH7~3*;Fx&s{G{Z^B4xkQKxwpDn8L;}wTCcSm9DH!6xlLI7ATd9MVFZ~S3~*= zu>Z4U1qLDu9Ou|?*&LBnyM4)gsjbdg5GZwh)V;yM$@YU&1&YgrG`iNbw$x+@h4t*| zt-6&5#{0+U%0-o803eg@!*`?Aqd|Fqe-r@<`$|g8R*#0?unH?2LnX1&vuomgg%AFM z=;hyx-P&Rgl>(Zwt9aG(GoX;W-d%gFCdvpM)!6hmWWw;U)AP}}1nMT3TqInX?w)IF z8WvM%=`=1)eojjvPrNt7%e79Xdh4c+55#dxMQiDLAdRYN?{a>1H(kRbRfjzj9*;@kO0F>s~Xep@xJkcITA*ycC5ZSO! zPqa(LcDw{|+U_&-8a*E1z}0x1bth7#xJdJ^1vO_a(Lc=8Lp!ndT1m=Wzyb$Juc<_- zhCT!ybGhgHn?iG&E=3C%a{dcVKr^6vu(rG6(M1)5lxPd~>D7i{i>XE4+d#;`C)#by ze+4n-C&yWPRL?RSIL02AZ8!>EQ}HJY?LuFV%f4VIyt8hrOH&MYzV^-=kmzrs@+Twc zM3wB9pPejeIp^K;xmHeQP-6@i(RvT>H(fF;#~M6zoRmmD`l*DxGZy(blTd)+n_Fe8 zmBgA$`>@5^wuB`~ha;Z99UHj~(2dT3T70GKzYqs&{N;n{68liO zshuRD@J8RAc3+>JcHr?tk?J-Tu<$dPfSaXHGtio``dI4l>%mRO|H>Ki$~LM_`#Bo- zTSsnDd9MBlleIoV>2mbDIXGu}SzPIz!3k#k^N-42QE+Kjq3%Gvi1sSWvvn=9tu0LdL#At9O(NC%U_~2L)TV7gEa4!ndDp z#1$Ms+Af9J+%9;_Hj%^2-bIABXh0Cm$tB%OCu<(GsX?85DN9@jyE#gyy=zC9(}1WAlbkZY*Gj>1^Kq0Pbx_u0WI~ z{Wkh(Baq&LXeOYXPf=&)^ULZ+GM$wE^4yg#tFb)~g5ZF>_)rcZ?DL&@qPdb|2Rdbh zBwKIo_jtBBjMkr=i#ZvNi?iE9r>ItUM~RD0&#m8*jZN$k9*@CZ(f*m#<=0_jEH z29yW5dr6AGV(CUpJ)$$Q++<=eGfYi^8mVoMS7+0CE{F~N8M-dyjy93D^O_C^R}~tJ4PVh1JlalZ|;behsBD0Vott$N#ZMv&CBD${;ag z>ZpjL-QJW_o%KxFHIh6DNSf+G4WCqW__j;v(3(`HE-$Z%K+;KOScw;-UmY5?bIoh` zJXnuO?Eh1Q-k)r4Z>|Lr0sL*q+t)08RTAAl4mQCYeHc^b*f|?(wX$m_4l0LyKev(; z?P^-fAE$KqJR1gO!6{C`AVf4I%goag(k?Aihb{5ZL7jtAIQwz-TzyG?64({ef)ubj zkES<|&h(Gj!mT+T^=+IOCBj#XGKdwxzurEBr9@~=(|gDyA^ zMHz65N%1V96UVZOm>F9ulGNmSjV3zs?k*6YSKaU~cM{2P6V!#anQU5Q8! zE+LzFFgki{yA#mT8c3iBE1*xx1rRnfV7xY%x@u-K)-5Q~>+Qahh~O@=->Kk=|*5u?qo0$Hbwo@Z>RUiGJJfrRE%6DP00PdhCF(`&2c|9DD z0NX?-GX`zg5Y7GQ99b6c=W+N3tz7BOexn7c5%oQh+Tr}&1 zK;KvCA;iMRnM_I1uNb_e(dG(#!=CY!~1Q-uK_uMEpR1;<;$z@|@7Her81jS%oX+_dAV9J84C_ zo$@}011K?cr*Xm=7JY9i^D{shmp-l@alRHwmv!^2xRY{JDziGQjNefiYYsY`37?t>@%^%DHR$c8Q@!&nQ#4b2*3@ zupyF$CzdT@$s|&8q^bdHi<(y=HDyY@c0J~*kLU6jCwogw zQbR;Ls)&)P49%|jg1@YDnSR&G_En)P!0%eRJ4C`^KZZ=^5#{n6A}_?v0qJ~MkGHxo z&p)s$W9S^GBKx-@UV5@k>{XkfyN_O=IFD1b4~glgCxSSPDMha?mN~4GzJp~axdd`-#ji14XL+kz zNh{J}WK)<%K($B_#yW9d5C{v;KZ_Y1$M7W1*7U*e9`<3p=I3=g%jHK3kM61e4cHMO zAB%j521ah~iCp;2H;Ga}1d$*byQ6rWd?o#>g@?N#*tG|dH|^QC%gJ=RNK$@c z==!que_I!}K(`imU>+G!kBU9bz5vD||Cp7O;qERc#Xjfj6V6tFPSt^FnxT<%Wjk=zNe+L6qIK-aP$GF(Rf? z{3-@<#=>x*a2In#&4N857VNF>02*%u;15`~hcNoTr^J1ptyzHI^|U)No9ad_zP|Qu z_YD@`W3b~%E@~ngShY}Gb1MuGrATk@_Oa(=XfYR{B&aYG1NE9j?#_fJ*b#}J7RGwKWbZQ{*v^3Q*`dra5YFQpl*VFs7)(l*KBA zoG?zlY*D@Z=KGWW^DbAiCn0h*?}$Xyb9OUc$wDy8AYTGa9yTWsdeEm4($HuzmDKQik+L;f26|UY27yz z3SH?*yTAB;5Kr!DYxpO=u__+8P1 z&n3aWIogz-anAmfMN5N@Gs8I6RYpvzByDf!trU-Pkz|EETP-gUB)NfSZnr=TGohOg z557ZrHD^)WtV(nP(fa=V<#i8H?Ue z$&q?gM+5>^`{IgxDYF*-2Q2FEpj~9=7WM}F7J5De)a%a|<11zVk10({tlkDX()Hj& z?t~6+b$)oF{e0XLpVZ=)qDcY^%Apa)Jr&jqHPZ-rys?18vq8Q`XvUZunnP`G12dJL zi&EQ6Jy3{j)Tlv$NeN35tPmBQ3HGpiM(1tZ4^klCohnhMW|Nrp#=|f*j#PEZr7W~; z4B|z0*05_OoeZCXRc-8d9tbDnJVk?Z5qYC!si$mX>Sxg-tEu|llyU5EmfBdNeC4)F zPX;o^)_SP$)f+!4yzTXP%G51V(V z)n2HJm6;fs6d147kmj(IizD;d&q91JJHZi^i(9b76?+en3hefu%(xKYV4}}~<}ksrf0`(B$g%M(gP35W22Kjt>N`}Y@mED8 z*#M;xb=ot_u@l(rUJG`r+e;nSpo|xBe@!3f>a^?5$Ta+u6GAXHEU>6(KNPjrSy@ag zvP{HbAgGi#Pzt~*0f7t;MX&3B^Ijy!bwYdKT5+98Z1nxrdVj2Kt;KTC_p;7)XgoDD zw_;vx4fDZoWHyZ!ex&L3F>3>Z5Fr@8Xn=ZqNc4zicD0NND2@UUK2(KCNCav$* zDjVd-OX-6iMA`ctnsPPekAZt5^>A@Qtv&mdAr1Vt!Z}+FNPJjV=k>^VAO<<2`qrmQ z0Fpg--{oMt7sorg3@~L@VIjD4g9^T#UrIfwyH6Pr9wFklvQOBq))QU;*zT^JkC1k| zn&AX`qt`gA|2PYAKNr568|RPE1Xt?iL9mClS@=^G67K*{FnzAsd#-$kC{5g1cHPke z9;6{ac0{V>Y!kn4RPFVpc!_}w;J2$C&T-)7|J9~kGZ~pW^;W~3$IE+8c8=yMp;f^HDr-ZOJuv_TAG;SikG1>;J*z@qREhSOzm)6IKBQ{jgMf`R3s}IZh literal 0 HcmV?d00001 diff --git a/collection-pipeline/etc/collection-pipeline.ucls b/collection-pipeline/etc/collection-pipeline.ucls new file mode 100644 index 000000000..676dc48e8 --- /dev/null +++ b/collection-pipeline/etc/collection-pipeline.ucls @@ -0,0 +1,62 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/collection-pipeline/pom.xml b/collection-pipeline/pom.xml new file mode 100644 index 000000000..a663fb35a --- /dev/null +++ b/collection-pipeline/pom.xml @@ -0,0 +1,45 @@ + + + 4.0.0 + + com.iluwatar + java-design-patterns + 1.20.0-SNAPSHOT + + collection-pipeline + + + org.junit.jupiter + junit-jupiter-api + test + + + org.junit.jupiter + junit-jupiter-engine + test + + + \ No newline at end of file diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java new file mode 100644 index 000000000..109d60b88 --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java @@ -0,0 +1,60 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import java.util.List; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +/** + * In imperative-style programming, it is common to use for and while loops for + * most kinds of data processing. Function composition is a simple technique + * that lets you sequence modular functions to create more complex operations. + * When you run data through the sequence, you have a collection pipeline. + * Together, the Function Composition and Collection Pipeline patterns enable + * you to create sophisticated programs where data flow from upstream to + * downstream and is passed through a series of transformations. + * + */ +public class App { + + private static final Logger LOGGER = LoggerFactory.getLogger(App.class); + + /** + * Program entry point. + * + * @param args + * command line args + */ + public static void main(String[] args) { + + List cars = Iterating.createCars(); + + List modelsImperative = ImperativeProgramming.getModelsAfter2000UsingFor(cars); + LOGGER.info(modelsImperative.toString()); + + List modelsFunctional = FunctionalProgramming.getModelsAfter2000UsingPipeline(cars); + LOGGER.info(modelsFunctional.toString()); + } +} diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java new file mode 100644 index 000000000..be113c7cd --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java @@ -0,0 +1,56 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +/** + * A Car class that has the properties of make, model, and year. + */ +public class Car { + private String make; + private String model; + private int year; + + /** + * Constructor to create an instance of car. + * @param theMake the make of the car + * @param theModel the model of the car + * @param yearOfMake the year of built of the car + */ + public Car(String theMake, String theModel, int yearOfMake) { + make = theMake; + model = theModel; + year = yearOfMake; + } + + public String getMake() { + return make; + } + + public String getModel() { + return model; + } + + public int getYear() { + return year; + } +} \ No newline at end of file diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java new file mode 100644 index 000000000..7d9834bc0 --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java @@ -0,0 +1,61 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import java.util.Comparator; +import java.util.List; +import java.util.stream.Collectors; + +/** + * Iterating and sorting with a collection pipeline + * + *

    In functional programming, it's common to sequence complex operations through + * a series of smaller modular functions or operations. The series is called a + * composition of functions, or a function composition. When a collection of + * data flows through a function composition, it becomes a collection pipeline. + * Function Composition and Collection Pipeline are two design patterns + * frequently used in functional-style programming. + * + *

    Instead of passing a lambda expression to the map method, we passed the + * method reference Car::getModel. Likewise, instead of passing the lambda + * expression car -> car.getYear() to the comparing method, we passed the method + * reference Car::getYear. Method references are short, concise, and expressive. + * It is best to use them wherever possible. + * + */ +public class FunctionalProgramming { + private FunctionalProgramming() { + } + + /** + * Method to get models using for collection pipeline. + * + * @param cars {@link List} of {@link Car} to be used for filtering + * @return {@link List} of {@link String} representing models built after year 2000 + */ + public static List getModelsAfter2000UsingPipeline(List cars) { + return cars.stream().filter(car -> car.getYear() > 2000) + .sorted(Comparator.comparing(Car::getYear)) + .map(Car::getModel).collect(Collectors.toList()); + } +} diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java new file mode 100644 index 000000000..092469fbd --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java @@ -0,0 +1,80 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import java.util.ArrayList; +import java.util.Collections; +import java.util.Comparator; +import java.util.List; + +/** + * Imperative-style programming to iterate over the list and get the names of + * cars made later than the year 2000. We then sort the models in ascending + * order by year. + * + *

    As you can see, there's a lot of looping in this code. First, the + * getModelsAfter2000UsingFor method takes a list of cars as its parameter. It + * extracts or filters out cars made after the year 2000, putting them into a + * new list named carsSortedByYear. Next, it sorts that list in ascending order + * by year-of-make. Finally, it loops through the list carsSortedByYear to get + * the model names and returns them in a list. + * + *

    This short example demonstrates what I call the effect of statements. While + * functions and methods in general can be used as expressions, the {@link Collections} + * sort method doesn't return a result. Because it is used as a statement, it + * mutates the list given as argument. Both of the for loops also mutate lists + * as they iterate. Being statements, that's just how these elements work. As a + * result, the code contains unnecessary garbage variables + */ +public class ImperativeProgramming { + private ImperativeProgramming() { + } + + /** + * Method to return the car models built after year 2000 using for loops. + * @param cars {@link List} of {@link Car} to iterate over + * @return {@link List} of {@link String} of car models built after year 2000 + */ + public static List getModelsAfter2000UsingFor(List cars) { + List carsSortedByYear = new ArrayList<>(); + + for (Car car : cars) { + if (car.getYear() > 2000) { + carsSortedByYear.add(car); + } + } + + Collections.sort(carsSortedByYear, new Comparator() { + public int compare(Car car1, Car car2) { + return new Integer(car1.getYear()).compareTo(car2.getYear()); + } + }); + + List models = new ArrayList<>(); + for (Car car : carsSortedByYear) { + models.add(car.getModel()); + } + + return models; + } +} diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java new file mode 100644 index 000000000..4293603cb --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java @@ -0,0 +1,46 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import java.util.Arrays; +import java.util.List; + +/** + * A factory class to create a collection of {@link Car} instances. + */ +public class Iterating { + private Iterating() { + } + + /** + * Factory method to create a {@link List} of {@link Car} instances. + * @return {@link List} of {@link Car} + */ + public static List createCars() { + return Arrays.asList(new Car("Jeep", "Wrangler", 2011), new Car("Jeep", "Comanche", 1990), + new Car("Dodge", "Avenger", 2010), + new Car("Buick", "Cascada", 2016), + new Car("Ford", "Focus", 2012), + new Car("Chevrolet", "Geo Metro", 1992)); + } +} \ No newline at end of file diff --git a/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java b/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java new file mode 100644 index 000000000..26f546a16 --- /dev/null +++ b/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java @@ -0,0 +1,50 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import static org.junit.jupiter.api.Assertions.assertEquals; + +import java.util.Arrays; +import java.util.List; + +import org.junit.jupiter.api.Test; + +/** + * Tests that Collection Pipeline methods work as expected. + */ +public class AppTest { + + private List cars = Iterating.createCars(); + + @Test + public void testGetModelsAfter2000UsingFor() { + List models = ImperativeProgramming.getModelsAfter2000UsingFor(cars); + assertEquals(models, Arrays.asList("Avenger", "Wrangler", "Focus", "Cascada")); + } + + @Test + public void testGetModelsAfter2000UsingPipeline() { + List models = FunctionalProgramming.getModelsAfter2000UsingPipeline(cars); + assertEquals(models, Arrays.asList("Avenger", "Wrangler", "Focus", "Cascada")); + } +} diff --git a/pom.xml b/pom.xml index e1d025c13..9d2ca8066 100644 --- a/pom.xml +++ b/pom.xml @@ -161,6 +161,7 @@ dirty-flag trampoline serverless + collection-pipeline From cd44ef3c81620755aa1f67dfd16287ae25e0e5e2 Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Sun, 26 Aug 2018 23:12:33 +0530 Subject: [PATCH 08/15] Review Changes --- collection-pipeline/README.md | 3 +- .../com/iluwatar/collectionpipeline/App.java | 22 ++++++-- .../com/iluwatar/collectionpipeline/Car.java | 18 ++++--- .../{Iterating.java => CarFactory.java} | 14 ++--- .../FunctionalProgramming.java | 26 ++++++++- .../ImperativeProgramming.java | 54 ++++++++++++++++++- .../iluwatar/collectionpipeline/AppTest.java | 22 ++++++-- 7 files changed, 137 insertions(+), 22 deletions(-) rename collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/{Iterating.java => CarFactory.java} (79%) diff --git a/collection-pipeline/README.md b/collection-pipeline/README.md index 3599a6d5d..ddeeddc60 100644 --- a/collection-pipeline/README.md +++ b/collection-pipeline/README.md @@ -26,4 +26,5 @@ Use the Collection Pipeline pattern when ## Credits * [Function composition and the Collection Pipeline pattern](https://www.ibm.com/developerworks/library/j-java8idioms2/index.html) -* [Martin Fowler](https://martinfowler.com/articles/collection-pipeline/) \ No newline at end of file +* [Martin Fowler](https://martinfowler.com/articles/collection-pipeline/) +* Java8 Streams (https://docs.oracle.com/javase/8/docs/api/java/util/stream/package-summary.html) \ No newline at end of file diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java index 109d60b88..a36ce2ec1 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java @@ -22,7 +22,9 @@ */ package com.iluwatar.collectionpipeline; +import java.util.Arrays; import java.util.List; +import java.util.Map; import org.slf4j.Logger; import org.slf4j.LoggerFactory; @@ -49,12 +51,26 @@ public class App { */ public static void main(String[] args) { - List cars = Iterating.createCars(); + List cars = CarFactory.createCars(); - List modelsImperative = ImperativeProgramming.getModelsAfter2000UsingFor(cars); + List modelsImperative = ImperativeProgramming.getModelsAfter2000(cars); LOGGER.info(modelsImperative.toString()); - List modelsFunctional = FunctionalProgramming.getModelsAfter2000UsingPipeline(cars); + List modelsFunctional = FunctionalProgramming.getModelsAfter2000(cars); LOGGER.info(modelsFunctional.toString()); + + Map> groupingByCategoryImperative = ImperativeProgramming.getGroupingOfCarsByCategory(cars); + LOGGER.info(groupingByCategoryImperative.toString()); + + Map> groupingByCategoryFunctional = FunctionalProgramming.getGroupingOfCarsByCategory(cars); + LOGGER.info(groupingByCategoryFunctional.toString()); + + Person john = new Person(cars); + + List sedansOwnedImperative = ImperativeProgramming.getSedanCarsOwnedSortedByDate(Arrays.asList(john)); + LOGGER.info(sedansOwnedImperative.toString()); + + List sedansOwnedFunctional = FunctionalProgramming.getSedanCarsOwnedSortedByDate(Arrays.asList(john)); + LOGGER.info(sedansOwnedFunctional.toString()); } } diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java index be113c7cd..aec7ea0e1 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java @@ -29,17 +29,19 @@ public class Car { private String make; private String model; private int year; + private String category; /** * Constructor to create an instance of car. - * @param theMake the make of the car - * @param theModel the model of the car + * @param make the make of the car + * @param model the model of the car * @param yearOfMake the year of built of the car */ - public Car(String theMake, String theModel, int yearOfMake) { - make = theMake; - model = theModel; - year = yearOfMake; + public Car(String make, String model, int yearOfMake, String category) { + this.make = make; + this.model = model; + this.year = yearOfMake; + this.category = category; } public String getMake() { @@ -53,4 +55,8 @@ public class Car { public int getYear() { return year; } + + public String getCategory() { + return category; + } } \ No newline at end of file diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/CarFactory.java similarity index 79% rename from collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java rename to collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/CarFactory.java index 4293603cb..ad1127d25 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Iterating.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/CarFactory.java @@ -28,8 +28,8 @@ import java.util.List; /** * A factory class to create a collection of {@link Car} instances. */ -public class Iterating { - private Iterating() { +public class CarFactory { + private CarFactory() { } /** @@ -37,10 +37,10 @@ public class Iterating { * @return {@link List} of {@link Car} */ public static List createCars() { - return Arrays.asList(new Car("Jeep", "Wrangler", 2011), new Car("Jeep", "Comanche", 1990), - new Car("Dodge", "Avenger", 2010), - new Car("Buick", "Cascada", 2016), - new Car("Ford", "Focus", 2012), - new Car("Chevrolet", "Geo Metro", 1992)); + return Arrays.asList(new Car("Jeep", "Wrangler", 2011, "Jeep"), new Car("Jeep", "Comanche", 1990, "Jeep"), + new Car("Dodge", "Avenger", 2010, "Sedan"), + new Car("Buick", "Cascada", 2016, "Convertible"), + new Car("Ford", "Focus", 2012, "Sedan"), + new Car("Chevrolet", "Geo Metro", 1992, "Convertible")); } } \ No newline at end of file diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java index 7d9834bc0..c48ee6f96 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java @@ -24,6 +24,7 @@ package com.iluwatar.collectionpipeline; import java.util.Comparator; import java.util.List; +import java.util.Map; import java.util.stream.Collectors; /** @@ -53,9 +54,32 @@ public class FunctionalProgramming { * @param cars {@link List} of {@link Car} to be used for filtering * @return {@link List} of {@link String} representing models built after year 2000 */ - public static List getModelsAfter2000UsingPipeline(List cars) { + public static List getModelsAfter2000(List cars) { return cars.stream().filter(car -> car.getYear() > 2000) .sorted(Comparator.comparing(Car::getYear)) .map(Car::getModel).collect(Collectors.toList()); } + + /** + * Method to group cars by category using groupingBy + * + * @param cars {@link List} of {@link Car} to be used for grouping + * @return {@link Map} of {@link String} and {@link List} of {@link Car} with category + * as key and cars belonging to that category as value + */ + public static Map> getGroupingOfCarsByCategory(List cars) { + return cars.stream().collect(Collectors.groupingBy(Car::getCategory)); + } + + /** + * Method to get all Sedan cars belonging to a group of persons sorted by year of manufacture + * + * @param persons {@link List} of {@link Person} to be used + * @return {@link List} of {@link Car} to belonging to the group + */ + public static List getSedanCarsOwnedSortedByDate(List persons) { + return persons.stream().map(Person::getCars).flatMap(List::stream) + .filter(car -> "Sedan".equals(car.getCategory())) + .sorted(Comparator.comparing(Car::getYear)).collect(Collectors.toList()); + } } diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java index 092469fbd..1fac5908a 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java @@ -25,7 +25,9 @@ package com.iluwatar.collectionpipeline; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; +import java.util.HashMap; import java.util.List; +import java.util.Map; /** * Imperative-style programming to iterate over the list and get the names of @@ -55,7 +57,7 @@ public class ImperativeProgramming { * @param cars {@link List} of {@link Car} to iterate over * @return {@link List} of {@link String} of car models built after year 2000 */ - public static List getModelsAfter2000UsingFor(List cars) { + public static List getModelsAfter2000(List cars) { List carsSortedByYear = new ArrayList<>(); for (Car car : cars) { @@ -77,4 +79,54 @@ public class ImperativeProgramming { return models; } + + /** + * Method to group cars by category using for loops + * + * @param cars {@link List} of {@link Car} to be used for grouping + * @return {@link Map} of {@link String} and {@link List} of {@link Car} with + * category as key and cars belonging to that category as value + */ + public static Map> getGroupingOfCarsByCategory(List cars) { + Map> groupingByCategory = new HashMap<>(); + for (Car car: cars) { + if (groupingByCategory.containsKey(car.getCategory())) { + groupingByCategory.get(car.getCategory()).add(car); + } else { + List categoryCars = new ArrayList<>(); + categoryCars.add(car); + groupingByCategory.put(car.getCategory(), categoryCars); + } + } + return groupingByCategory; + } + + /** + * Method to get all Sedan cars belonging to a group of persons sorted by year of manufacture using for loops + * + * @param persons {@link List} of {@link Person} to be used + * @return {@link List} of {@link Car} to belonging to the group + */ + public static List getSedanCarsOwnedSortedByDate(List persons) { + List cars = new ArrayList<>(); + for (Person person: persons) { + cars.addAll(person.getCars()); + } + + List sedanCars = new ArrayList<>(); + for (Car car: cars) { + if ("Sedan".equals(car.getCategory())) { + sedanCars.add(car); + } + } + + sedanCars.sort(new Comparator() { + @Override + public int compare(Car o1, Car o2) { + return o1.getYear() - o2.getYear(); + } + }); + + return sedanCars; + } } diff --git a/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java b/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java index 26f546a16..5827c34a3 100644 --- a/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java +++ b/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java @@ -26,6 +26,7 @@ import static org.junit.jupiter.api.Assertions.assertEquals; import java.util.Arrays; import java.util.List; +import java.util.Map; import org.junit.jupiter.api.Test; @@ -34,17 +35,32 @@ import org.junit.jupiter.api.Test; */ public class AppTest { - private List cars = Iterating.createCars(); + private List cars = CarFactory.createCars(); @Test public void testGetModelsAfter2000UsingFor() { - List models = ImperativeProgramming.getModelsAfter2000UsingFor(cars); + List models = ImperativeProgramming.getModelsAfter2000(cars); assertEquals(models, Arrays.asList("Avenger", "Wrangler", "Focus", "Cascada")); } @Test public void testGetModelsAfter2000UsingPipeline() { - List models = FunctionalProgramming.getModelsAfter2000UsingPipeline(cars); + List models = FunctionalProgramming.getModelsAfter2000(cars); assertEquals(models, Arrays.asList("Avenger", "Wrangler", "Focus", "Cascada")); } + + @Test + public void testGetGroupingOfCarsByCategory() { + Map> modelsFunctional = FunctionalProgramming.getGroupingOfCarsByCategory(cars); + Map> modelsImperative = ImperativeProgramming.getGroupingOfCarsByCategory(cars); + assertEquals(modelsFunctional, modelsImperative); + } + + @Test + public void testGetSedanCarsOwnedSortedByDate() { + Person john = new Person(cars); + List modelsFunctional = FunctionalProgramming.getSedanCarsOwnedSortedByDate(Arrays.asList(john)); + List modelsImperative = ImperativeProgramming.getSedanCarsOwnedSortedByDate(Arrays.asList(john)); + assertEquals(modelsFunctional, modelsImperative); + } } From cb6b0b360097266b466419f94d5b5b4c4c388c05 Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Sun, 26 Aug 2018 23:21:25 +0530 Subject: [PATCH 09/15] Checkstyle Fixes --- .../com/iluwatar/collectionpipeline/FunctionalProgramming.java | 3 +-- .../com/iluwatar/collectionpipeline/ImperativeProgramming.java | 3 +-- 2 files changed, 2 insertions(+), 4 deletions(-) diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java index c48ee6f96..2a05b3bd1 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java @@ -64,8 +64,7 @@ public class FunctionalProgramming { * Method to group cars by category using groupingBy * * @param cars {@link List} of {@link Car} to be used for grouping - * @return {@link Map} of {@link String} and {@link List} of {@link Car} with category - * as key and cars belonging to that category as value + * @return {@link Map} with category as key and cars belonging to that category as value */ public static Map> getGroupingOfCarsByCategory(List cars) { return cars.stream().collect(Collectors.groupingBy(Car::getCategory)); diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java index 1fac5908a..85b875dfc 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java @@ -84,8 +84,7 @@ public class ImperativeProgramming { * Method to group cars by category using for loops * * @param cars {@link List} of {@link Car} to be used for grouping - * @return {@link Map} of {@link String} and {@link List} of {@link Car} with - * category as key and cars belonging to that category as value + * @return {@link Map} with category as key and cars belonging to that category as value */ public static Map> getGroupingOfCarsByCategory(List cars) { Map> groupingByCategory = new HashMap<>(); From b23d8430af9430825e5295d6672a59549ff09095 Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Sun, 26 Aug 2018 23:31:03 +0530 Subject: [PATCH 10/15] Added Missing class --- .../iluwatar/collectionpipeline/Person.java | 44 +++++++++++++++++++ 1 file changed, 44 insertions(+) create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Person.java diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Person.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Person.java new file mode 100644 index 000000000..c9114c125 --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Person.java @@ -0,0 +1,44 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +import java.util.List; + +/** + * A Person class that has the list of cars that the person owns and use. + */ +public class Person { + private List cars; + + /** + * Constructor to create an instance of person. + * @param cars the list of cars owned + */ + public Person(List cars) { + this.cars = cars; + } + + public List getCars() { + return cars; + } +} \ No newline at end of file From 9daa3140e493e717252ff1cc69db79c5eb17066f Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Wed, 29 Aug 2018 22:02:17 +0530 Subject: [PATCH 11/15] Category Enum for category of Car --- .../com/iluwatar/collectionpipeline/App.java | 4 +-- .../com/iluwatar/collectionpipeline/Car.java | 9 +++--- .../collectionpipeline/CarFactory.java | 11 +++---- .../iluwatar/collectionpipeline/Category.java | 30 +++++++++++++++++++ .../FunctionalProgramming.java | 4 +-- .../ImperativeProgramming.java | 6 ++-- .../iluwatar/collectionpipeline/AppTest.java | 4 +-- 7 files changed, 50 insertions(+), 18 deletions(-) create mode 100644 collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Category.java diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java index a36ce2ec1..7e0ebf0e9 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/App.java @@ -59,10 +59,10 @@ public class App { List modelsFunctional = FunctionalProgramming.getModelsAfter2000(cars); LOGGER.info(modelsFunctional.toString()); - Map> groupingByCategoryImperative = ImperativeProgramming.getGroupingOfCarsByCategory(cars); + Map> groupingByCategoryImperative = ImperativeProgramming.getGroupingOfCarsByCategory(cars); LOGGER.info(groupingByCategoryImperative.toString()); - Map> groupingByCategoryFunctional = FunctionalProgramming.getGroupingOfCarsByCategory(cars); + Map> groupingByCategoryFunctional = FunctionalProgramming.getGroupingOfCarsByCategory(cars); LOGGER.info(groupingByCategoryFunctional.toString()); Person john = new Person(cars); diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java index aec7ea0e1..b990f9dff 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java @@ -23,21 +23,22 @@ package com.iluwatar.collectionpipeline; /** - * A Car class that has the properties of make, model, and year. + * A Car class that has the properties of make, model, year and category. */ public class Car { private String make; private String model; private int year; - private String category; + private Category category; /** * Constructor to create an instance of car. * @param make the make of the car * @param model the model of the car * @param yearOfMake the year of built of the car + * @param category the {@link Category} of the car */ - public Car(String make, String model, int yearOfMake, String category) { + public Car(String make, String model, int yearOfMake, Category category) { this.make = make; this.model = model; this.year = yearOfMake; @@ -56,7 +57,7 @@ public class Car { return year; } - public String getCategory() { + public Category getCategory() { return category; } } \ No newline at end of file diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/CarFactory.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/CarFactory.java index ad1127d25..031853fca 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/CarFactory.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/CarFactory.java @@ -37,10 +37,11 @@ public class CarFactory { * @return {@link List} of {@link Car} */ public static List createCars() { - return Arrays.asList(new Car("Jeep", "Wrangler", 2011, "Jeep"), new Car("Jeep", "Comanche", 1990, "Jeep"), - new Car("Dodge", "Avenger", 2010, "Sedan"), - new Car("Buick", "Cascada", 2016, "Convertible"), - new Car("Ford", "Focus", 2012, "Sedan"), - new Car("Chevrolet", "Geo Metro", 1992, "Convertible")); + return Arrays.asList(new Car("Jeep", "Wrangler", 2011, Category.JEEP), + new Car("Jeep", "Comanche", 1990, Category.JEEP), + new Car("Dodge", "Avenger", 2010, Category.SEDAN), + new Car("Buick", "Cascada", 2016, Category.CONVERTIBLE), + new Car("Ford", "Focus", 2012, Category.SEDAN), + new Car("Chevrolet", "Geo Metro", 1992, Category.CONVERTIBLE)); } } \ No newline at end of file diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Category.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Category.java new file mode 100644 index 000000000..456864fdb --- /dev/null +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Category.java @@ -0,0 +1,30 @@ +/** + * The MIT License + * Copyright (c) 2014 Ilkka Seppälä + * + * Permission is hereby granted, free of charge, to any person obtaining a copy + * of this software and associated documentation files (the "Software"), to deal + * in the Software without restriction, including without limitation the rights + * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + * copies of the Software, and to permit persons to whom the Software is + * furnished to do so, subject to the following conditions: + * + * The above copyright notice and this permission notice shall be included in + * all copies or substantial portions of the Software. + * + * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN + * THE SOFTWARE. + */ +package com.iluwatar.collectionpipeline; + +/** + * Enum for the category of car + */ +public enum Category { + JEEP, SEDAN, CONVERTIBLE +} diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java index 2a05b3bd1..3cc24ce44 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/FunctionalProgramming.java @@ -66,7 +66,7 @@ public class FunctionalProgramming { * @param cars {@link List} of {@link Car} to be used for grouping * @return {@link Map} with category as key and cars belonging to that category as value */ - public static Map> getGroupingOfCarsByCategory(List cars) { + public static Map> getGroupingOfCarsByCategory(List cars) { return cars.stream().collect(Collectors.groupingBy(Car::getCategory)); } @@ -78,7 +78,7 @@ public class FunctionalProgramming { */ public static List getSedanCarsOwnedSortedByDate(List persons) { return persons.stream().map(Person::getCars).flatMap(List::stream) - .filter(car -> "Sedan".equals(car.getCategory())) + .filter(car -> Category.SEDAN.equals(car.getCategory())) .sorted(Comparator.comparing(Car::getYear)).collect(Collectors.toList()); } } diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java index 85b875dfc..7466462cc 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java @@ -86,8 +86,8 @@ public class ImperativeProgramming { * @param cars {@link List} of {@link Car} to be used for grouping * @return {@link Map} with category as key and cars belonging to that category as value */ - public static Map> getGroupingOfCarsByCategory(List cars) { - Map> groupingByCategory = new HashMap<>(); + public static Map> getGroupingOfCarsByCategory(List cars) { + Map> groupingByCategory = new HashMap<>(); for (Car car: cars) { if (groupingByCategory.containsKey(car.getCategory())) { groupingByCategory.get(car.getCategory()).add(car); @@ -114,7 +114,7 @@ public class ImperativeProgramming { List sedanCars = new ArrayList<>(); for (Car car: cars) { - if ("Sedan".equals(car.getCategory())) { + if (Category.SEDAN.equals(car.getCategory())) { sedanCars.add(car); } } diff --git a/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java b/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java index 5827c34a3..c68521797 100644 --- a/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java +++ b/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java @@ -51,8 +51,8 @@ public class AppTest { @Test public void testGetGroupingOfCarsByCategory() { - Map> modelsFunctional = FunctionalProgramming.getGroupingOfCarsByCategory(cars); - Map> modelsImperative = ImperativeProgramming.getGroupingOfCarsByCategory(cars); + Map> modelsFunctional = FunctionalProgramming.getGroupingOfCarsByCategory(cars); + Map> modelsImperative = ImperativeProgramming.getGroupingOfCarsByCategory(cars); assertEquals(modelsFunctional, modelsImperative); } From 0f9089dd625260cb91bf13c2dc8f934c03c7d951 Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Sat, 1 Sep 2018 15:48:07 +0530 Subject: [PATCH 12/15] Typo in Readme --- collection-pipeline/README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/collection-pipeline/README.md b/collection-pipeline/README.md index ddeeddc60..03316cba0 100644 --- a/collection-pipeline/README.md +++ b/collection-pipeline/README.md @@ -27,4 +27,4 @@ Use the Collection Pipeline pattern when * [Function composition and the Collection Pipeline pattern](https://www.ibm.com/developerworks/library/j-java8idioms2/index.html) * [Martin Fowler](https://martinfowler.com/articles/collection-pipeline/) -* Java8 Streams (https://docs.oracle.com/javase/8/docs/api/java/util/stream/package-summary.html) \ No newline at end of file +* [Java8 Streams] (https://docs.oracle.com/javase/8/docs/api/java/util/stream/package-summary.html) \ No newline at end of file From 26fbbed62e077deac9402067d77542de76ee44cb Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Sat, 1 Sep 2018 15:48:36 +0530 Subject: [PATCH 13/15] Typo in Readme --- collection-pipeline/README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/collection-pipeline/README.md b/collection-pipeline/README.md index 03316cba0..ab13b21db 100644 --- a/collection-pipeline/README.md +++ b/collection-pipeline/README.md @@ -27,4 +27,4 @@ Use the Collection Pipeline pattern when * [Function composition and the Collection Pipeline pattern](https://www.ibm.com/developerworks/library/j-java8idioms2/index.html) * [Martin Fowler](https://martinfowler.com/articles/collection-pipeline/) -* [Java8 Streams] (https://docs.oracle.com/javase/8/docs/api/java/util/stream/package-summary.html) \ No newline at end of file +* [Java8 Streams](https://docs.oracle.com/javase/8/docs/api/java/util/stream/package-summary.html) \ No newline at end of file From 98c3f93e822c80674458ca6a0e9277f6bbf04c24 Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Tue, 4 Sep 2018 20:52:11 +0530 Subject: [PATCH 14/15] Review changes in Test Cases --- .../com/iluwatar/collectionpipeline/Car.java | 46 +++++++++++++++++++ .../iluwatar/collectionpipeline/AppTest.java | 21 +++++++-- 2 files changed, 63 insertions(+), 4 deletions(-) diff --git a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java index b990f9dff..ffd52cca3 100644 --- a/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java +++ b/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/Car.java @@ -45,6 +45,52 @@ public class Car { this.category = category; } + @Override + public int hashCode() { + final int prime = 31; + int result = 1; + result = prime * result + ((category == null) ? 0 : category.hashCode()); + result = prime * result + ((make == null) ? 0 : make.hashCode()); + result = prime * result + ((model == null) ? 0 : model.hashCode()); + result = prime * result + year; + return result; + } + + @Override + public boolean equals(Object obj) { + if (this == obj) { + return true; + } + if (obj == null) { + return false; + } + if (getClass() != obj.getClass()) { + return false; + } + Car other = (Car) obj; + if (category != other.category) { + return false; + } + if (make == null) { + if (other.make != null) { + return false; + } + } else if (!make.equals(other.make)) { + return false; + } + if (model == null) { + if (other.model != null) { + return false; + } + } else if (!model.equals(other.model)) { + return false; + } + if (year != other.year) { + return false; + } + return true; + } + public String getMake() { return make; } diff --git a/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java b/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java index c68521797..5a6821641 100644 --- a/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java +++ b/collection-pipeline/src/test/java/com/iluwatar/collectionpipeline/AppTest.java @@ -25,6 +25,7 @@ package com.iluwatar.collectionpipeline; import static org.junit.jupiter.api.Assertions.assertEquals; import java.util.Arrays; +import java.util.HashMap; import java.util.List; import java.util.Map; @@ -40,27 +41,39 @@ public class AppTest { @Test public void testGetModelsAfter2000UsingFor() { List models = ImperativeProgramming.getModelsAfter2000(cars); - assertEquals(models, Arrays.asList("Avenger", "Wrangler", "Focus", "Cascada")); + assertEquals(Arrays.asList("Avenger", "Wrangler", "Focus", "Cascada"), models); } @Test public void testGetModelsAfter2000UsingPipeline() { List models = FunctionalProgramming.getModelsAfter2000(cars); - assertEquals(models, Arrays.asList("Avenger", "Wrangler", "Focus", "Cascada")); + assertEquals(Arrays.asList("Avenger", "Wrangler", "Focus", "Cascada"), models); } @Test public void testGetGroupingOfCarsByCategory() { + Map> modelsExpected = new HashMap<>(); + modelsExpected.put(Category.CONVERTIBLE, Arrays.asList(new Car("Buick", "Cascada", 2016, Category.CONVERTIBLE), + new Car("Chevrolet", "Geo Metro", 1992, Category.CONVERTIBLE))); + modelsExpected.put(Category.SEDAN, Arrays.asList(new Car("Dodge", "Avenger", 2010, Category.SEDAN), + new Car("Ford", "Focus", 2012, Category.SEDAN))); + modelsExpected.put(Category.JEEP, Arrays.asList(new Car("Jeep", "Wrangler", 2011, Category.JEEP), + new Car("Jeep", "Comanche", 1990, Category.JEEP))); Map> modelsFunctional = FunctionalProgramming.getGroupingOfCarsByCategory(cars); Map> modelsImperative = ImperativeProgramming.getGroupingOfCarsByCategory(cars); - assertEquals(modelsFunctional, modelsImperative); + System.out.println("Category " + modelsFunctional); + assertEquals(modelsExpected, modelsFunctional); + assertEquals(modelsExpected, modelsImperative); } @Test public void testGetSedanCarsOwnedSortedByDate() { Person john = new Person(cars); + List modelsExpected = Arrays.asList(new Car("Dodge", "Avenger", 2010, Category.SEDAN), + new Car("Ford", "Focus", 2012, Category.SEDAN)); List modelsFunctional = FunctionalProgramming.getSedanCarsOwnedSortedByDate(Arrays.asList(john)); List modelsImperative = ImperativeProgramming.getSedanCarsOwnedSortedByDate(Arrays.asList(john)); - assertEquals(modelsFunctional, modelsImperative); + assertEquals(modelsExpected, modelsFunctional); + assertEquals(modelsExpected, modelsImperative); } } From 4ed039d80764e3682edd8ddda98f41bc5df026e5 Mon Sep 17 00:00:00 2001 From: nikhilbarar Date: Sat, 8 Sep 2018 20:38:04 +0530 Subject: [PATCH 15/15] Updated UCLS file and PNG image --- .../etc/collection-pipeline.png | Bin 14519 -> 27282 bytes .../etc/collection-pipeline.ucls | 52 +++++++++++++++--- 2 files changed, 44 insertions(+), 8 deletions(-) diff --git a/collection-pipeline/etc/collection-pipeline.png b/collection-pipeline/etc/collection-pipeline.png index 7fcdb0b9452a3c206443901ff3fc693f8ff58efb..67d52629cb86fc32c1520a7ebc8d5b685361fb69 100644 GIT binary patch literal 27282 zcmc$`bySq!{x6ONC?X;fG6EtX(vpKxN_TfRGQ>zXsDu(jm!x!ex75%eEj2Vq=g@JV z!E?@s&pGGb^+FLYQ0RrOiVTp&y6crUCD+1DN|D;1Bxi9H zWc;;~(`pwqq8DjQf&~ivK=ibzt;UUUO-EVTcqDN%f3q|D%ykaLI(%$+eyL>aMpsfS zdU`_ZuV`=3q4)p%S|8>z53)RJ#jW(>q|oxd(+KF5lzQ`SBO0;SZM4cD zb@@ev>Y1L$C9$>0&XX1N&o{`2WWyCj{dC{PVBYl#K9!fCtu3la7Ji3W#UxHkDfH@@ zl-F(kcDGsBDLLdZ@IrDbzx?f61A?N@ye0_|m1O_JSEFJPj!@nweS{YDkRsL&AClPa zLqTz(fX{`e^Yy(><1AVjw;*zwYVS*SD^us@o)dk=;J<0{PE+%J32`a-K}JeHTX)nG zZ+Dsb1mZho2Qz6D#o}cUg1d#2;(giDH(?o5 zqjVCK#9)05O%Mqoo%65zKt7L%rmGeWH4*8gy+^YWk&@daIR*zL7YzrUgWkPg^l6z3zjc7%7^Ab4qE9o zeMM(bDTuYjT3dx)J;d?4J^s0}GMHjK2CTjMNu0cXaGAwQ8rN{g z>+1@4Zz=Z@zhc&>e1_L2A-pEl#!_;Mr>bV2%cfnjDU}TQ^b5g0N`F&yA-H@AMlsAS z+fgI1(C4+#wPPwt?X=tbsGR#-z{Ml3uzt4ogu80X;*98aj11lw+wJeHjL1dUYD4|} z{dJ#_V%{yiV`W7yQmO=v%Ub{Bw>}%py-QOo_bi3=K0M4fZYqIVX~pG0$;K!szWcHE zB!8ek9hP10Y^0*5=IvWMZ$-Z|eDw$ZAYE%!Rje|BLZ

    nH)93|` zUqID@+2L-UGiz(aUa3*0oX<1BWBA9ae^aCsA2zuQ&lDVbiAjDaB<7upiJs~k{1%A3 zS}Q(5*yo4VI@d$933Mp%fB)6hMDRtgLxKBI4z>HdM4S6Y$yOb5U8JQ{bj3BN+$o_v zpsR7F{_MWWLY^yQR^_j{d+5?&^4SPX$Auv0C76ucp2S@7*%5fN`f#p6iZXrLeYH?@ z%XOmM9{98b__P)q__P*?sq3FcoGidvg^tQkr|V98WX@L{63_P5tizUgFJq%A5{S#r)9OS8o26kXIS70IuN`UrE(1)QxGZA;F(wxCdsvW(r5 zRET@g;eHc2kuuj*k?}kC>cQP|-vC)PeS}+@xr4X>wy&NUY&XyQndUKLn(L<(YiD(0 z8&Js|Bpl?iT%+OvsDAG0e^`G8o*wb5jk*~0_i!{_-pF`B$mO`+L!GA;7w=D;rlU@) zSwp)r=cm`2lk#dypSpVJv)b|(5<5m5iR?5+`vS(ecj(R570+80;wJqu^iuH4lzD4X z-}$r@mN_4f_;BEM2tn5+Oamh2p|v|uKKHW}ne)vsm4;CB*@}k4CPE$e-?0VfS ze2lyf$2WFHgWS#$u92KSsTdbIxE~tzA9w9 zlzhw%G(EOj4R(M>V8|a+J3pQL*w|N|{ zB|bcvF(AWtGQ6Pwy_aLfSF=4AEM+NZ=(yq=zXfdtVCw<8=PBS4ECeUbOsGh-cm>(w z>p=F8^WU*E%Hvl07L3)kV$_)*m%n4~^S&ph=5CZ0TA9wsbk&7I!$qV_y@aS_t=nOw4v*U!%mlG_Fg4x2yNqjISDMVdly`Xnr}I(n9gMVk zMKn1oKbu_!YP<98+_;q>XLUn`Ek3-p{J`%F*SHGYyOu%UT7OpDE82=ANRY(m;FKC7 zqg1i{u(6{yhqi zWw>Fx#w0*Hn-t{-r_FWP6ZU$aq~t0rAo^XkD+=oUo#7C!?m8k|jFiq2OHy%8vI2Q_ z4uPPqdlY2Hgo!SFb%cD>99s=%^Bz1$GpCkklP=!%7xDgm^(Q?z-5!@yL9WlBVC5Pg z+Cj&8{11QBs*VIFn4DYqRmes*@u-Q4O+XX)>b0%A>I#{33T|R)vHHaa8d{hz?-@n- z*?DRdD3;!vsMm{clW$ni6Du2PwQTqxp3ibFofFI;R-vtbP)>a1t8UN)mSHSdId&%3 zW=tiiTLVPSqO~yX$mDso5?zl+N@eVri#S5_`qpx=>SC~96GV#Xayqp;ZT0S3fHzJ< zj;Y;GN<1EE91R>^oE;{N9XCb%mK%|AKN!U6nf?kz=p24mtN|O^ie@=5O zw!@nKW47|UTC1px33qgfdke%+O&!`L_3|msjl73JeZ~E!iC01!ACLS3jS5?b+0W0h ztTD1#8pwWgo`*H;P31uAm*Laghy8q&m8W2jOSh^lzLOOXm)~hj9y3J~tvV$|yF)Wy zDP2~n6J9@1K6f)GE1DM*JfFF#^W#!AR`%?A{&4F8-3`P0m=l z2+mPl)gBTP9xvqnP-eNEPKSSbeVv?pD>&oR&02Vn6`YKO>HeOvjS5h(UDF&n3Ih|2pO=)3dh9O6 zHf(FOC7g^Vo|O#ZXu6A@(WQH=6-{^`S+{UKq-@|fk{-;{tYuJ!mdZ`#`sVu*r#V1~ z^SdfQpd$4*O%~C4&$qZ9gE4aoK$JG$`nV#Lb5E?YVQw7?;Yy&bOQKuc%9h)3I(&3T zO&#}0#U7@EU764!omOu-8Q7Nw$a92aO5@Kn+clFs-S^0wRlT67$MX=8*G|b1#dVDQ zEL08yAkuP+Omb%PJe7JSmBYwc>#pZx2e%v2f9BL*DMO5G2W_=Q{np^K+dDO`AUW>b z5FxG60`w5_lLL(zZOoLeG*YYc0mdH#jBnd5pW7&vS6&gJ`Rcibl%=fQm*b3Z-F9GA(?%a0BP_VAo8 z)85R&RDLW1 z*oou3``7>buf`t0UG_TIBrmnx4_dWBWO>@gpaJ&$!bT}$we$C~Dc_STi^sW$GkLI+ z0j3ODet#ce%U?Kx;IjNT%cvOh4+7C4G83j??G4Eae6pSti$UC~lie)2U@1+t2{m3w z_KgUD$*nPZyls5TU0QOc=Y1O@p{aTG2pz#0m!9a2)05cmd;jx-$?oydj%!l>Ti9!- z5tBwk6I^NPy*f^T;>?#;q=sa<4~$p*1bffTl42N*@51qRqTU~*gJ?$Uqk|-Dmdv_2 zlys!4@y8-FP8mIXoRiDnY`o8uVCBd?-t28RYs>GPRq!M!N{oc`IF-Z z3ew4YcZVV?D<>-}W&MeVoeXe$#0#_eL{>Wddj|nVFP@V9Fc9A=@sjI73%!55F0TfC zaYS}wMT1GInTpDWaHmJuee34ZCwuIx9#Txw-14_Ev9o#dt8m4H6!oD&vd$x2(pC!zc#_ zsd=pL;9D_8zQRs9%;QPJ9X-Y*qoYqT?~$^mz>@H#^+{PJ(}ddjbLNrf zc+GRG1dAd96NN&A&^^(=`2O}kA2g<%MV}pw;v2l0!{a9(u*e)Tyr((5wtqymG z1TE~8WZL(!>44?zLu{ll*J(Y|$-mJV0aP1ZpZvQbfQn=CD@MgtY%+ow8HbXEkqDwO zBi1|D*0(wi9hvQzEa?bSP zv=u^S-Vhlc1W^*QHC{64|IM;AI)r09sI|JyNZu<-SO(P2XcBM5?mYT@gAMa8+6S_- z)a0pOS}@0PzlYY^*9#Ql{)}qE|6x6>A^@$u42#OwcAL`hY7va1x*TMh;&8cin|}BR zuaz$e7KbV%KR<-Lyk3Q~BjHW>)E=ELcKPnAXwrYKp3a%gY9{u^rAPZt9#D4cpE4%; z7+5VLIGa~tHHX0h!(TJH|>Whdw6?e!+hefXx`^dGsw% z1`PoP@sp_?*N_X%?zSvnhV-p3gG1<1sj(6x@-2NGu6>hYwL5R<6;jq4?6yV{r=8lE zTu)T$&v874kKYMkTBwC9e${zEijtGQPh=3yXR7kP(g*}Ax~9+_x}`tE5cd|oJngoJV!nb1sd$!Hjl5et1Q^ZY1` zX$QDZ@YQ#gt0YpE432yaa-1I$&UU&F7s#pDfJp3SqG00X6+C>De!NG=yJgR+ruWomOI zT*}!Ddctk-&CdDxH<4T|hVc4LY#FbSQ{9x<(GM<>m`Sa@l$#mBwMIWTA}I{BGpL3S z{JhT|yXd4{j_Fruyijh0loR2$ng4*aUH(eW;X|RD(~=B50FeTXu${P|-VceKK%*r1dRzfx0LD*ZbcNn=w#`EGucPK=omEZj?6OyxlE#v7A z7Of*lMSCo*WE{3na=@pkNWScxsk^yWmp@0Vzh{v5kHl-!brqH2TTy$;#;Ui1R3uzt z()OJq#a6MZOMY}~hFZEdi^Wpq4J?(9XxT*i6;*zI+hvd*Fye7ku?s*ke&cq$!*r(D zH>S>D$NArCE8KTKnnnxrD+Y>qV5j4qsuc#>zest`sG2euzZ4+trRq&@xCd@FlU6$$ zZTbi)^DI@ekl)pM16kce?!$4s zWu4b_FIr^sQd#`(lo`S03A|5+tD%ocBK_5?yd=nwJ}2~%G5PCGJNitT>)*UXix=%P zDw3L7dUP}M$^qR+xNh)x=$Gu3sBxDFZyRFaL>#sfsF93LRO>z?$4%@!TjJoQDHpHZ z5BLISFfvWjyUX2G))#-Dp8+yd4c=_%Zu}ws1!HXi2#{>z#dMG3OScuQY(c-6ch2*v z;fmBl`}}Ke$L~!bcKWgHG78!jzX&pUEaD}@m)Wu3JXVCtZ}dV|j=PW{!Q6|sf;^|XhUT;42kL`#h5 zkaTY8Y`}y@=HwXY{IEJW+;4gNdNvm7=vd@gEBg0MV_822h7E3RN zH*-12qq5jvK3QWY{Yf8gZ|yZ1>`67ewv`xHZN0kRm7(CBait!!zxQhK%kvy-2@{4l zeuQ?jj~MshixM2Mu4@e|-y_0=XrSa4>92sw^N&qF>7%3M2Q<^e_9k^|H6MLv#NO$mg1XfA~);nGPP}bf_H+>6GF?8l}GHI zAetFuU6@*ZK6eYFkBnz;Zu47L4URSf9}lCC1kV>jDp8|T5<+N$WwA!8=HjAWgl*kX zj-+iCSWOY`q3!G#2uX8YRnXF~VDM1PLv+ZqzpUH$$CZD=eY#Q-x{E<~o`vO1{0P5~ zcflgy2@bx=q;i)A7HnXGbkp$Rc-;6Q{L6zniv=?Mf(oE%*PWRxT(#+Ox)XIN8X+pj zI&_$oPv+k>VjMbELrLR3z`^vjV3<+XIP9$R-XwjN zWz4kG+Pp(tjrGz{#U>u!Tt;N0GkXLfNvCYcuz{6#>*53)Gd$<(o@yk$#OqVUldX$r zZ+Q!~qJJ)RWzOsocMNrRH^cO~Z+VyrqUsas(6!GAK31o_WbM-Jhq(5V{a zvIAlVEAb)%dfBXFSI;M)Bm)UQPpq{?uC5`TQ@)t1s^PQ6Ov=lmrotchaej1PQN!yt zP_%WH<%4d zR@XS!aTikt`xh(V#wHm0W7t9`I> zvG@ne&_ecFBjtT#VUxz2;-QCl zVPZR*HY^F|slr7q887<{J0^0U;o%FY6ARnvDU+pQ;YLW!KW1N#jY?8_osuoRsio*z zpqQn~_(PdPhG)pChtPsHqV3fXAZCPCmq2O!T26YgP1Z{y`&Xrx)+{cQy?8A|35 zFTrSD^|)Rv86}G3#Iaiv%p?&sd;3WS&Ihf1m9k+ancnWjzusmA@3wY666bxWgeAht zTVgKfS1eZE8tAD@pNLC9Ks3y}N}SAT5ZsjD*H=!M*;+x@h(au(4ER!n>#h zRP1Z*Sh6EGKx4IT4EJ{_;uZofu=n>=19B{;_fuGq$*F!h3_N|-R7#oM8Xj(A_mV?9 zElWnnvxOQzdg@KfTP*gx8`0OvdAvWbrr_yF!d-`bchj&kENi0HZPU;vrC%O#)Ut;| z=CpKFQotLzQVYO(nYkJnI&#kU)IGI7m^Yn8VPCe3Oyrmm!z^65@ma5~yI)B%HBW}A zW2TJ8d@{N3H%EQk(U;!dhKKih2x3Ks^a+gZ-m1B(``JzC_e6K^=3qUZU>X@fsc9rs zUPS@v{Vm^_<9EhfXhDI6w_5+0FnPn>Kh~jVoUp4}$$EBdB@hz0Z)X3bYlS;O&&TN(j53J%kphDNg%G7T<}Lbs~*4pTYS# ztWjz>KE5C6X@Sdk;oWfg6JyJP)>cV(7PYChw%cVd??%pB7M-}e3-)V=anmz6s?1Zy-%EzjNU$l>@rwpYJ<=wFm zBaKkpmFdYZIB&XBTwTXZP!^H=BSkm!5N@m+PSQ6{+)^>KVj}v1x;b9b!rX?M^(DhH z4BBw?qj689ueQ=IW*&EjQ~T-io(&>v3y4J}QMM9QzjfjT zCs3Y;M6UWO7XK1do07#(JV+2-^k-0}_I^A@SD+_;T+&=jQp8KA6zIeI+1qvd@gj4i z?5<>~l}xG;2h*BVI5eS7XU<*dJP890x>EU^OgwwBpg=Q?uw6L6?7;74;^%iyPDkxc zk}=@g!#ixr?RzsTrdMJI6gf?H+*j*zGDwPDazLCMku2xOy+-Dpws;+7T@1Uvq4F%A zRn;u-z2DwSoW?=4ASRjcDFT~4gquxG0?1|6 zPZR*@l~auBihgQE@h0B4XL=D+&`}%B5Cxw80QmsGl|-ZL$totTPaW54>m5}F!3aN^CP+h!c_G%xX&L%TMgV-;*HAfHZwf zdA-f>zuoL#HHBIK{y8CxrXg}$dwDcBkr-K$${#B$+(&pjlT%y6+e2Z*-nwtw&93q;P>Qo5DJd(% z-nE;R&A^0qLb@ZQY#UUX6?7nvf#V8^!+K(NGe1BTBg5D+&w4Q%(P&A0TE22U@seeQ zsqe#|phjd{jRp7qzW7P*Ri6GpBAeW5{Z~;w_=c|R2WroUkW7MF=6IQMSD;na_z~!^ z)LPMfAi6Q`jT%D$n3Jl@o;T}+@=)I-)cvh1P_CX^!S{srM_XOZdw(6>nqIl-`RwBN z0niQYiDh(B`$jkQ(*b@u2czooO!~ml>eN@GBh?%kh_I#>n)2b~4sS6J3+K*pE7CF# z6(3$=SB*mYy;m4R{^Fi7!~}C_i!P)jfiK;7E@=o7 zT9Z|Ei7iTW;|t9`q-$^kpflJQOjh*!jJ8#f)1pY;G<%NY>$XH^3jb3A4tm-W7Do;C@Rb(L=h4&))QSc=QXM^6p2#TIm&S7*<&zu`>#eGPYR3G@ zIN5;$6d*rimz9Ef&-SN8m~Qvg9kd*)^!nWmITpd;i?HRz#hWuRJX{`2$r_rZj`~gS z@VhGw8x;8>v) zUW&`*AsT6(G|64%_k$X$3Azt&WO~~C+ho=}CMZ0VH8#;`{;?pTur_(e0AI9pz~Im` z4slX5BO6m{o?%omJ=UZ#w*Ipi!QV)IQ!-Db*v+(*agk{C%V>E}`Kw+I_EK{JBr-bP z>x3%TLLm2j2?Ive1=_ej-+7D_hcRPKoTfxq^82uT@7Q<6bM}@eGc|U<*4C0xvDK(| z`+XEHDwm;b(Y@=yg8VNTdXSz>HcKX35tJn@*aqgYH(imPv~l}VMwOXATwVJ6Wfy$* zcRNtvLOzxlL=oz(96Tn709hO0r+slTf=%whr9L-W8}822%MWRzbvn_A^K`*!3P)d# z43=t|zuciuR&g4SVH}(kWvwln2>@FY5UjQ4-i{d~C~m3VeaJwneM<8xFsLdk(mRUK zVuU38bqZ^!PE*d)w+7@RW*pyCctL^GbD7Z~EU>3x{Kn*Dqr-NghO}4mKNTcIQIJ{b z^c>Hv89k^wwZaxm$K!HgC_*7ahc}*q$L{C)Oy16MUg1>dx4y3@nTLy5!Uxu9`D)W#@^~x!6sxd}gfxyH zs3-nna6`kV2}%qwQ?`^0f5+S0dk@=gRyeqOWV#posVg;(i>WxJq}D%IJ4&aO-!oiJ zza$i%!yx1*7&vx<>lm$lHUOa$8JuYiP{M=dah zm+ohy&K(;`EX2@BN2;fo5pGeQK)w0yaky7Sd1ilmbqULh`Q%i}g_zu&xor-FnFR>Q z?ZaG|Jc$|`XzHZ95koJjUXNNPV0t3dmM1G7LD`4;$~-v3Ko zkNx}v6Yq!Zvwl{l&4jAj)0ssrW~=QGv5$)nbUV7p)2N`fFqzN`(SCMb>;P{Km*;sk zD7gbk>=9tZqo=|j?NL%cL0MW22%mmcO>oavEpmseSL?OSs>Y%3-JO#4nEn^mK?xhG z!*&T6;s_d{bDzP?)F40hlje1*-DfY6@B@(-$15s*6=}oum3{-wb;W;z$Jua!IUK_^ zoKIF(rUKcR>V9uQcQfo*T9)gxkd(Qm0wEFf9WMd@EPp5kMkZA_LoG6XK&1EOdKN)g z&uAK{z{a+6;!PLkR0~fF`Zra6j@n%h2xM}S79V`qT4K*hPn~$WCGnn1f0079(t5k6 zLQa!&y*E-(;4=#ODE=%6z$1%WhB5BVEBO+MGUzpgcytAo^2efU7EByZ_H;d`Ka2+p zOFPdSeNIZwaqVK^@?r~wZOZJ6gQjs2|VXR6% zCCdb3P1HnNsKxsoXLB(#?GlY_xe@N8*+49Z*AjOXM(_P`im}F=wDDal>iKj{Bs?>- z-r2w_Smv*s0~GF$fx~@GAPS(npPrA;8GyFY1oROzlm6K)0ncHY?*ps@7uX)*=q|SO z$}+q4fZ}aUKxNnsG|;dEODU)(M~<(KnZKRRPE{WJF6!Y``UUbW-w@v4wm-NX{#4$7 zc zFnVyVa*ClX*&I;%|D`PIp`$^jUKXm=gn3N=7X$zae-@VHlLmP#wwEC4f6RHh@3h;x z?PV1P^=3L8+iwljJX_U~P$6K6S*PdtAZ5%|w%;!sXn4Nc+CXc>%F(S{02eDIP-P-8kp3Xt(1HcvMvpX^}MVs~KCMs&zN@$_CLUi@1! zr>je&D0pktu{bJk`$?)9zBfV_7r1*z*c(YZYEi1>RP>y~5idf#SRs~+xLCM@HHxXB zvRh47K1(rQ{pp77Y)_wxkhDP|{)Q|!KEL7BRtrx^iy(J}D+fosiA?OmVDWDgTZXhjqbN;s z4{{^o)ROLEdhrf?$zhY^lO{r!S^Ykac}`6D%3x1n;cc^|;QW{F;h7`g)v(t#1~Kc3 z8~vj9;$1zL73@BBG4MGNXOGb7k2_B`8JhUFG3096aYif}tdxjt$PyAp)8zG)dcVgB zDzV6X6I9-u8BgI-#F!Y}dE$=eGW3jdD$hi_fc0$}E}(y)#!JVW>`-NI z0tv9Egc2|Qdwq;G*5Vzm4IlHYensbz68>9Wj*R?vqY^|57u#7yLF7d8DgATo+-jE{19HOjJB4isXBwe4=Ai1JxSJb}1GAFb?j! z0efX<@dMyG02K(Q_56eBSp%5R`@`YGFaJyC%#o-W=)T!x&yyOZX6LTP3BecBx)DTdQ+xP8B&btb2*)<1_{9mBK2WJ}{aqnRa9!>|_Bd0SD%ARCcv(9?L%u{fvD|d@ zkqkb@q^eyCaoUNj3a>@p^z^E?3YoB7o#`*O9J!J46ywH~i$P`8Cx0*oC~@mwq9Q%( zF@gy4GDptxzt_3?_~>@+M`8f~^t{c$Nf)6`HSCCuCoqjvvnB&uOGsXYE` zsDt{dGURm-@=MVIdo-LUByv1u(X)gMy7Hs*AH~L|p&vVw154UO!#F86Qrf4Jh#s&c z|9>RN!EU_O6sh*`Ce}Ph_4=q}LI}j&=G(DB#(F0`gGt0D-RbEtD=jF6S689IHJFgG zRfVe)E52~y*{=tRJ^e4&-T=XyRBX#0d+@eDria^7DTk4_W;l`n+OQ~_gT+SCDLJaF z?m|lUz@TIPvMF)MS^u0zotJZJ_@80=#0u3lUF;|M$E^1o@8YEIE74Xgq*w4dyXaNra^ zi6REQ5%49mBkJYe zBo@?{M75}wm;VfXAAx$=CNlu_<<&9&pRfP_n})g8iYVaG=R()~SJB;speaT`g`giO z73sV5dHcI_HjTZluy2OYlo#v_7ejv_*ixGoh3MPTdT?N5v(>pSTo_3G@c1_oE_FL=ot$t!+Eh#Z!^BN zxQ&K3A@gyHNku;IN=UO&vyvT07zto zxu{iZUGfE&KV{H%U87`g?6O?y#7wJpWiaAbG#$%;*lBUGAHVo&euPpqjpf~Ig3gD7 zwY%G5eAyKgq4Yf#93d6dAP*KU39LgiQ&;I?rJnj|Z!DKimYNwal+k8x4haJ$<>>{^ zZ4hf=k*d0Bs1o%%@*g24{UJ`>-qDC()eFBx#tGbdVv;kDnL~U{@5?0)+)VNSY-_B zjVS?RtsOmyIZ*&L-s>73ne2h0%Iu}inDm~nIO}xxg%QQK@XJ(f<@tk8Wk*+XjdMU>8oXiDE%LtHUo1bxaJxR=z7U@lQ82=zY)Xb{y(mkj*+gJ0P7m2WE+GTX`mY&(np(mo*l@UmvJ> z51vtfOr__`cLA%}tUH3@`L0wXzM&uBn&uewx;Dj=XfOf#k;P$y%VBKd$>0|6>9Pl? zemC)w|Lk;VxNYll=^QvwEZj`m_c_FnTgSHHT;sX|CZdQVuIaiHlqh7HwTFuh$K~a* zOy?Pdm)irq6EY;dTq;cVFZ7o^)pl)|$wV5OHV^eh}%&=#)~lCC4) z?bLU!z-6EMMfpcGybkMNB1o<7`4-f4zJ~c^PnB zoltQ7aY#@t^dO|5ewV#S$K&*Hn(ttET5SK+!}`pj;o@!*4)1|n2zBpM&`kG9_9G5Q zmgxzma>_5BHm$zbO(?Jnhw|AS`N&M4wRg$Y?C7{&a*cYdj!y4(INbI1t=K~B=43$Y zcDh{<^`{`KC3$Gvr5zisvw<0fO~Z9BKKUclnSWp1GQvL*?-Z$XvC}~6y6pyb->l=; zx$JE<(K%njSZcW36ycQ}wX6jv8b)%)&7qQH`Jce*3;xgJ=rsp_9Y@c6a!k#4y7FZ? z(Q$hHSNx?rxWl}nW(Q46ED?f=pda>sA_|ZNb;+mxI059bHz{&CGq*W?c7C|Xd+|Ht zaw93K{_InmC80+iC_}xRnhv}D3NEDhui%1}5=visYGP7wxzGdln5_upK^E{Gn`Dqx zo&_JNNM4Q@R9vo_ASf=>y9?Z>Im;S-#R8)Pj6f_`dB^4tYTfS!PDCFZ_`iA^|hZF?7x9#V#!2Qk;tM?>sgA8$lE` zxlHI#7s^%0b-!-IL3me$0{2f&`#%HtzX#X9C43uTH%DZKZf@OyfIH_p^Jc{k-&OStbl0;4{JP<)*AT>Bl*U3yP2t8e$!3=pdC02bndlb_siGJDn(z&r!az&OVDSn9tM;&5P&J-I^(Qa7uJ25iY+BAzYWZPPt(PZ z{QgF~;js5GbKpXq6y3QNzZd#6Og-*#+y^m3f?F?waws!!X(60a%jM`M3wl2Qr11pS z+5N=f+M-u?QM5-t4WVjBvLlE{FhA?q^uhwJ-+d}2@TDtvnGa#cb&CBAk^!9*hi7ky zQMatGWVf!bAn?J)Spr^4nHeLX%c;6UfAcw=9B{eMyRqY*=Dx3Z6XOgxwvs`4jG8zR z{G9zWlBiizu4Y}V+mVMQ-@(Z(FEf_#y<Fi#Kf#)O`2}qit`=ktt-Q08- zaM{IcI>LZEOj_xC_6DYW^3dRgj@Tu0Czi2OMZ%}8)`&{|<0WH7mw6T!ff_4+HgoXB z&bN}DI;$~X<-VEFshKWkF?tei(TFcMZ~zVrWRX{{Kqd68lUQi57p_+FVK&boZOWWG z#HXB6=9@|8`;b8w*;u?{!W^S*$}VHJ6$J}oI|SG=gnb%Z?%kMsCTQaJB!H7yIgdL; z%!8mQD+DiHh8;Dw8^CmRk8+n`T@f(R@YCVc4mR;VbK%W<`4LMUnqIz}%maFnEyNC= zAyD%t{&YGqRZqmkdsH>Y;kx+hM)5E6*3=Ud-|tDyj~7*j1E8=9jw}5*R$xvQX<&7y z6oiKgT3S@lnkXQMEF?+Q@9-s;#^WSl%aEdT11l2~wK8{_?e2?{s(X`*n2t2-8`g?{ zd~_|`P1^GfzW)zb*8hCD$}H#4fAKhv@;F=ZKpts<-H#2R$DLc363h(pZyHD()Bt&U zQy$yByaoogYj5h$Td2LM>bHOFn;jxTMI}9Uelhv)_inYvM|@Gf0g%#bi*GP#?IHTn zy2wQoVT1M7rOh#oQWGiPek1tFfg?dXbSePCdkcgva3P)hpPxpo9nI=oE=KVkL@w8# zLA?$x+b(61m-YK?IyHxpOr)oawKhn7ljj_4(Nugug4?GnWqN%u8t=k{By+fvuWM?fuAp1RpYyN-9iskG6W$83mXaUw^)Fd3~t zQaeOgpC@;BFG{?%zvjLSI_TN2_=bbw8tBQq%sE|B3#j3&Y-%AR_(Ln83jshVH6eoD zJ)%zw#zS+2#!X&3D zB=-f|Qs`P7t#pD={@~l4)j4bWf}l@DW?ht&BpwZjT#hx=%=?sxc+m7}PKm~XNk9nI zc;=YEDT%n~a(oF;-0AE~8)LV!1ITenEeR;65H~wz-(|}+h<2kuZhnK?9rL-g+Adq_ z_V3i68P6nq-(bCzk>C9-zHZrgcWZgYTggO=XzndB#yjFjF<@i*+1h;YodnI($&s1$ zyz3F6SF;lZ^)O3rd2~4qT!1`VzkGZWc8W+$9W4W8)TvSsCb2CnAvoFj@AdN!rHKJ| zs)T&OfrG7~HS4k)8A_Q*_&@FyjIP4=@^6d@E||BDNlImLCRzP>EMHvNnV6>tzSCvG z=KY1HsvA&?RPTH!#qSHg2%2_$c1%-t zC{jWFZDXUf2q_i2m5cagnXLi^OM?BhhMh=>d)ZZO+xm|F%n}k!p(h=6cXh@QwepY4~2QhVv zKwn5hfTf-5Mu1C=+Y7~`X1@lke$cWd0VWITi_;ndX-t`>)DIH)KBOgDd9l_6it4zQ zXSIMcJ(p(nd)_#8$7fsTWF8mYp4p7tug(GAe>*Z`Za8r>7)Gatng{N2EacMJo!O*W zWn*o55LkTB&!}1ZhjE9uKpJ&cgS^84#%-&sHT*s^A-AERmP~})L@@#%6js{)h8^O$ zoXuVy=QP&T+ix-G)Hpo<2MxCnx2o-Gcs;p-IgC*Ewo5J@0#&>rP}v!ix&WF#uN%bZ zimL1vO#VuQmUX}-#Hy1l7sUDRt@@40HV>h*QZHBfR~dgJp9C+{<%T#VaZ)~`#lt~spHZeJR}?BpSnYbzRKw4dug22F%j1=bxK5~p7> z@}25Kixw?JM=P7q!QYJPQfBLvegFmeHK73pl)HpJu@l_IIZ!@Q30rh|j}LIV>&!_h zpW<`|@-T*vqJ;2vN1xi+rDMIUiHh65nE%eQhLHZBYlMmR*nhu9xUp7X_xD?bfhV(L zuKyzbuqG38fT+?E{To_#YJK@o>zAbD5h(9T=v39(YZ(5f@3T?fHvG6@{%v>hue(bn ztGAhL&t0k%D#MlDm%z#Y%PlCjJ>DHo%*uRENLjBDnV9+eH7US>-STI=J}S1!St ze_T8h(7c09_Tl@|^+lMq_Ang`$u2v)e@kzJg@Sr;a74Gt>mHQ;+SNc|X0r?iHpFIB z22)YUPD99-sDNcXE8!kc)JCplDy*!%rLeME=(ztUhq)dXAwuKMXsy+^PHt9pk!yZb zOPO+Xg3`0JAvht134)QTzuJ9Qg$D1#o67bVIpodS%X(EOEOU*dC3DNze^pnHE8FJs z;}0W_P#Boqq*LOKE&f<&u(-h8*vLeU|KcMBCcIZcTsTZ?0`kvg(6%4;50 ztO`6)abiGlT8h^x+y1F2AkyL2D+-FWP^7lul_6sg*{*v!p($A6~#ohGA`5jTqreK8E zb;ylEWHWZ0=x?WsRQCeZ`U<^PV64>ir#CZkD0bb~i>Y3_v?wfEr-36kI-De|k2T-3 zUypWZZS6LEBK;2zl{wD0;4fRW9`FtfJYrge8IjiREM23vWVKePwWWIQHm_3Xam7zdiw3X zTqm{T&Hm>XukU^q+oucQJET*IJ#)eakmX+;o2wGals%^~*q%K$G_PgJ%ZT=(y8pRU z$5Nj{a@INyRhQ;1080K<242-n>K(MdG@vjaomSrE)Or<*w*-Uge(j2djVnR+)uwo9 ze|2_Wx!xZw`aj)x+{nsO3PuO-mJ>kfC)|ebuE5GB%Mhv(VuR|=o=>iK44d2buU~_V zt2sS2#woK*TphxaxCF72njttVx~$8M-LjP^o`S^-&a6CgGez^h66nvnbgCe_cV^L)Y z*&t~2AS;kd(ZQo_J+Hd_o)iPrWrPU2URM18s4zcbqI_lGY#?To2(gO8_fc-d2oI{Z@9m=RE>!@BV4`>mDgq2Hr~K zIh$FWqKu7x$R}aVIBKbRSZ`I$W+Nor46WV<{sSj^`RPzYbqQRFm*yI)`K)Fe<&rti zGc;%+J?{v;5CK3x?}F*2ltl}9_7sV(n)6q4umnqxixPxjPf~4O0LHOhrU4Lc`rj4 z;?uSlsIUslPY_VsS)*e5Y2W@W&t#8JS4)PN|6NS7J}gb@Xm7BL_t zAW9Vw0w@esY=D%2(jg#2FM&WPp@T@5-g_dw_g<8{gQJttdGFr)-d~mD-skN7mG!N) zxKfAt{8wnn?&`M5I)IDUwtQ~yY>D4aRSG%UEU8+PUbN)u5^!6JUi0{*<6{f{D6f?` z>zf$skMEu-)HwYX#EPnb5nWg176&X~k#1vY;I#)&mYPVl;$sFoaJ}?un{{D)HUTGW z7GAhui)H0r%OmO4#%rw+hrRl2wIvhoH?qXN(z#1vm0qyR_E){&Z$&lNWn@i*2N&s;p8oo4?^ zTx?tKCXxER+QzGm@YZU3YQF!r>^%v$_$Oe$|S85x{0i!WX@iEBx> zB|VCjbfCXfs-*ma(YV2~9COtZ&nAZe+a{yypFgdlr_3V#yYe~uEPkmR^n9Sk^-#ao z+#px}h4tcAcflc)9@8g3nNHBbU)=BDS&=Rz=JwTVvzil!^5r=8(%vUaDHHb}k5$RTuqESca%XZv3SeBl-h_X^Z`TF&`Q~-;;$o+Dh5o@@|C8$@j zU6^;+%S%G(bCQ0c<@)EH(zEBzd%MZ?w+r97Vn)E!ON0yFIU2*?QcfEg@VSInAhqXQ z5!-yuI_I1neQ9fBa)9w_kv9~#^mWYkLxxCzSmgLdAlw~JCCE!^%=e|y5SZ9f4Mvm;!UZD|p~nCBAs5p3(!TCeC!ANg5?vX`Vtz>gVC`vF3=%84{ zygXA@{JRs}LOZoFXKIGM75Y9ldv?xUMUxUi~aY7Min#$U$*rF*BZDVp14C(g<#=IlPu&k`Vp z7_YzMnIu{VoYoSl`1|&f-rKQk&JIxuE`Xf!a#P!BFQRxGElDV}AE|`!re~NRYJ48z zFjBHrIgHxir!Jdni)BDRx=qBStM6w4$7$?Q)zg?v*6+F(I_wBs^R4o%je&1f^9Mvv zM~3(;Tu&6UwTVz1*S^^Ms}exlH|HE$1kJoukh-nB{nM!2pbol;xn?c*IUK-$)1!zo znlFZk5m+5Q9-8>HjcajCl$Y?jf|?;^4_ zk{Fbn+eR(a0UdepV zeOQ;XqHIbC&Z@b56UE$|C8kyFNU%J6OFT^iA1O;#i8MPA92j|AowebeH6eKyj-|_K z2fcOpJjBt=;6Ezs*7 zuY{QTDDFIHu_93w==N`){+F;W%oT^dKBNe0`3pX6-9*_-c4Hk=p|GSQFjBT?gp0SK z6Kb9r+(H%19=nxVgA5$0;~qR;Dd#KC^yx%A^iF>)DU?vK?qj#RYt4sr#ZJe~qdG0M67{xIcF&%ZgU2L=Q zdjsLaRm@Ys0wHgK|BAYx4g3y|2qS3S?oE;p!^EN26I>+7;#Dt$lvQ7+sseR@h0J-BNyS2_?sJR7q%KTzl|@5N8-L&O2V1Tap> z4l8VKr+Q&q=gexA1;fT8WTY|v$DK;4ERhrB&h{N4LkM@0CjjdlwnwAT}~3tp}! zb=IVEx3&er#!oR6Y1ZnltMz(RoYCHBt;IK<2nKH&Ov}g{!*x%UvD*3R(?2ESe?C~{7^qM7i)0|sVjUYGyHbX z+hx~*=CW6i1=X(SmV068%jNx!UBzjxr=V2T!2JYOy>iiRx$nTz0MB=r36HMlVg;8# zlya7rSI=n-(@R-(ge&bF9r`&3-LCoiR78h+$mac$ycHu;tMwE@vk01y-;+|<0SV>L zwq;w952v-I9B~wxh!nVF+c9;e79Klx9TCuEj7Z%09#Mx6Nz%BiF9Mli;6t!gK9kIz zj|0bf+WKq*f9;h+Coq_#nUCmQ;KwMKC>7y`WkVO>mV-5q2?n5iPfkAO=vR6-;n&Ns zR;YwscL>K+`uE2Gv;Z(YM`2uzmk_;dE|r4YNNw&R4cFAbAX3OSUKp!9GTxYu=Y$-} z2eZ`h%WHX<5-^(eZ#xP06sw8vgjjH=@Cuwh-kkpYC?TImC+o?M_RGo3CmND3!awBH z?hGMLw~OjGWxZMOBf}`Zg>h4{>Ng=QKA3w}D?-s6yo{$7c4k~2c3tY-gx@T(DKfOF zJ6jps*ivjm(AU8u_ltOy%UNq<>s>tRz}1x0+KSJT{XmG0@;}9bA6^KiO6b_pT_e6F0h4RA3}h$TQriRb-iQ&@eQQ z_wPZb15c{!)dv|T_oFgxv#iT#_z18@)Jj|#PP)Nogn_U&PNV8Q5O9KXwEH$diYQ}! z*rLu^JrdN`bn-@721ak<-JBaH&5#1Uv%$CeVC7mxb{W}@8_RJydStPL5?O4cjqXwk z7KQZvFIm9Q&o5ENNh=5s>F?KRPZ&F-u~w0Au$9ST04|+fXi5Kjy4<9tR770;hPW zSe3MJR|)n39g+Oozktq@X355CPJ>skTNPRFRwg(bM4j66-p?|ZY3_tWY3e-@{moQH zyV)O2Fx%>(KnaDoi_9D6;fm+FulMQUNw9k%x&Z*M3=lGF?Qm=GRy+e~g9JCEIb!zROd{-6I*^B0f;Z6f<)zWM?k zl7I%XLu(2k1Hb}U9~=bUSdt?oLV*h5vXA9q69aZCAV1y6Th?;#>dk?MoMk>_pwWJD zubrS$;taQT0*SO%W}@5QQ0L?BC;)YN_=)by1$~-lUKa4hirrRXUCn zgOiB4C69&KDyK2=hM&+VrZ8}l>#t4mc&d9OhlMGh`kkj?&PZCj71DhzF|&MY?c`-c zZ((Pv7wKf55A^F2-^o6g;Ni_C$LN73L@?`s8C>fj75g4bOiulnY;e$2af^K@^qOZm z(2A&4=!9*1b|{@Q;fPH2a2c`epsBrz$utU@cH}YO+fI4;;8fd64h~A4q*LN&B^o_pRo(_yU!&@~ z_IM_`kVXhVP3=Xywa)PhoUogyE8?1C?>BNasK6(87mLj~SM6=1Ma9)ifWRtY_s2P( zX`bk(W`}R|?}*o@V|n}EB>Q{V;HdEBy<}CAF?M8a1E#8X$!>eBJ>`8nh-~W1uON?i zc1jc~7H;6fP`1m5gc>Q5xeb2(#s3YnZ-WlH|4e_NCoce#nbpj_aNZI@BvXU__uALO z)mZZu$N3woj0I@J>y&nSbs9WnmfK!aw|4pbLgFT6UfKsu!e{d5V>t5kB%TbnUB;<; zy8(|Pt#QdL#ID)#(ed)t>b|3O`%tQ$4dG``==yVfthx>{OG25;Kr>QmG=H#%xpNFx z^3W)83sYiasW?%76HK|@-P$L?fE}&-9AlAoTW#For*kOmGsAO@XsCdnA zmO^6Ndp;ucbPCbB4R2JI72GqBJ48N(1o-46NyS&{$8lcVg;IBWJ?lJTLZfs@)LO^8 zEm5c|0M8VTAmpZ#SH+!J!x7<#s2Qr??%yK1oYk%vyoGL32L*1IciWgjnuevMu+%^< zKlzWaIveH`gS+;BW+46Np|1JaK_ttSjISZH7+1sm4Qu%>Ll(81X^*mxNr7rG?%(^m6_MDt1&Uu5P~(nEB6 z;sF;baDDWg=_>MKBmO*y7&0_K%khn9{#F?2GQ8#KFa2n@SCg&&@m=8GQP`|ZJ<9jm zM8d9&J)z|W1XgQ80NyFiBk$#gt(s8`7z9xo-NCog;rP3iU7*pEf_D!))l6p}clK33 z1_DgbLtec2h2;LBc~_UXL~Lw42sS^ZB+e9%8xkAV9=H(HEjZtbC)py^$#z9XfR z)ni<26EEtP3&pBT4YZJmw)gIV!T@|J@CdT5lw44(RckW08yU}dP@g-_6vcJ3c^bG5 z_R}M}lO$&tqV{sEZYPlFNPuhW0m21fZ>KQ&%=~b9BOJ{s8x;$$V(=o0H(6$5-EsNq zB57E5M34(Hf03HYGBC9mXK8qd<15exbONw7Xyp7?G_lQ?X%L+kAAyv}Ey1d;+r0Sh zoG}{{uii$xVJQA71~BDE`Z@`aJ^bHr690_|;lJbBf}{fc6l;A-;}FAXIv$T*#Kn9t>EDzm+#{3`lR zGm}V^DRs8?hYOYhA?Trrzu-q*(XKA!EZkJ4ur?O=3n4uW$NpoN}_(BazH?|r+P5v=ped& z1w)(lMjQEAtS>qN+9a;bxZJ>R=(~^Ao&%r_kVF_0Hos4rqNrp^ewT#{T;@}q%4R`V zY_d&0yC!gITOJ|6P*zKBX#u7TNS~yT(E!okXnE5wz#?li z^;V0ksthFIG{9>)j7WrbNy?+Q5;*VHKrA30Q2Y@xJqOqm8NyC(h(i(z!t4Urbuqn3 zeWDdkPu8N0+986iNdWeQ9-??!`h~j<7ozW0S&>4z?)p8_Y>M3Oas_R!=t?av|EIOJ zd&VCz@!dJA30)orB5tC`HASC>3}JmtdRTrgYJgavpY3DFG+$mwC(*i)B(FnCczG#? z8n4Kf;MHC4gYIwgo+lqb^rgep&8NdZDgmOTkKse6i+8mu2^CWKYT1_H}*E!`2nHq|0 ztGXs$bP(bNzAr`d7dkZeO7-_OrB>~ET?6w8_KmQJq5K-#$dd)74VK=~AuV&&Ka^NW9MnP1zE>cngLhKjveg^|n}oyX$#90> zn{^4U0G0}qaF`Dxwds?x#W#rY=`3I_8Q%H8{u4^yP>s5X7c(wywb1yH**;3@-p$*|VF71eKt5>HSp`4uhQEadOP6>Q|sU0dzYx6Vbf z`WG^62g^U98)SS+rOZJwe0jQhd1bPi!ss6Jf#WbJmgVbTOjQTRK@PrtX7=-M(u4W7 zj}0k=FQO=3B|$X(zCK?E&6TP{e6mV;n4%C+*(t`RNU*Yc64(pHt-+rry|$4L>h2bU QKcl!QuX+tDcklVX0RJtvcBFf@z|B`pjgISwfu zL+5!0-}l>J?0wGu1I~|d$FuHruXU|!t#wbZvZ6HcO^TZY1O&t~uO(Co2rkAE5M0o? zei8T&i)si70fB(8jKoWI_vFX*CsttlWQ(h`DgA(D!V zGOW0N>!(e5Knv%V&Zkue<2QX};UjNmh@ZCCxjzaIp8g)^%6Zj`&F|CY5H}yQF0IQi zd1f^n0s_9h4(ReIKo%@#h|N1IiSgo&7E3Zx1x1ELxRpkb`L(sy6@WDF2p$mo;KeE> z0t*ljyoh{*CHV0{j{V@|4gpb6?N!|J9l~qxK)H8K;nnYMQ^;=ee%6oJrI%%+d~^1j zch1E)07}b~D>Ve_r4RXWnq_Fde0lEDtLB@8(z$L%*y~?Kf$_n*QilL#8Wifzl0H~q zN!=o6rf9J~v~XT%#)m%)m<*WUcUYfHHY6L*kaitqy zB}6>^1E3jvV@aPr$^CrYAs6vfgu&HV1ya^Yj`9ncg!SDIEAEMT3UC|8n;AVJnqEGv`*cq>f{c)GU3oAg3crdLlNGNu8iV>e7!w~)RNgV{o{XGqP-0$( zROh>yU5QP3MKeW!LJ5I(EKLasr6-@(;WYAN3kcQtO%N#j*f!4QhO=5-}zG-(S$HToPblhn@A|!2+)u z2nk8_IU3%c&S2_SFByt#Gy0u16(|~%RBCkovVh(Og)6V4Q2xVkMr3~SQOW7tuu$JI zw0Q0TKRQ(wE__%jB(r6n&gB_sf<7Aysr8i{&-dPzul zUuq2wN+V+9y}NKalYsOxmL{Y1FnPq+8m@VJjjup)ZZq1B(~onXMZ+fSif2(Fr6spCKkD3>l&=E zdknJsY+P@o(WnnHm?d2$ji=VGF`|GZ%Q&8BYFBF>aa5Tm2ZiET<7}A8sLBVVpM@7M zXztscGEuC&xkuF|?V9%Um&#y))G`EH#N3}1n%T&Zt3^r3uS%);O=Cp0kQUaRlDM02;l%UMwS9ds;br}<(ojj#>fXH!#cm zpwnv%>aW7~nw>rVN+MbK3Nwok9OvMf-iJz&UY|g*G)l30v$6MU!Ys8!su(_1IE#3O zv^G%;%CppVZNGL|Q2NV`NFydZezjaHNt-%8wD&6#U3U^YKE(*v;$RCITeDh7pOYDM zQpu!{a~E=zL1?`hHR(82MrP2fw%&o$sh&C2=a&pR`pp90*kKm5M$Chz^6xfq5T=>? zv_2PQK`gZ@5-JtHPd9(&_Kz=SY4sxK!Y|QyZnX8Kj-K@Q`9=F}q&1w1?TPFmmKA9< z&x-Cx8DxH@($6ljS?9HjKAZ;ePv&Q>~Fw3WsS^uvkhlV`Y9cd#DXGu8LpSqwcERd*(?mCh8(Uy(vQ8ilYRBgb{BaSkqN zUG7@G+f!`bCxQKgf6T8o3u^OH+liyT)_kel0n)TCd0=?zg{{ez4ZRDZu837a&Nyiq z)VZOXN@zsg4@(aVDm6mZFqHJGWiI?|0&tjB51V&?_T9-!GP|&h-SF3GWDJBz~>OscuEBu`m|o%2FYgA^yd4;n@q_PS^^{KWVsR~D({_IBtLHXiM^c%lz= z_tS%9D{Q*8-0$j|ka-!)0f2jb=PM8vBu8MscS;>t?(RWsGyg(gW<;`;iAZYrQTZAqJT% z?Y0Lg%q!h+(X2FZsBJV{G;@AzD!0c#3VJ}wxi}){JG7$ECWISx6^&69Y<&xVXD_V% z;d!2MT=5iFzj?T|YxF@sZZ!F!7f8BWaj2V7By^=4-It0?P6%$pezF(u>k;I<2ZSWq z!3?b!zep5nM62^NFJ{QlTunqOj#R-VlESn@n}xN0zm8YMK4D!x+Y9I6syr!8Zc*gy zmA|_b(|yJuG|OmS4;M&3!0@EmX2sba@aAyZ;P*#*+O?(npRK6|K-<%)6+~*4jIcH= zb3KPE@5j1ECCKiLYQ*K_n7v9Bhe8V;R$BC*3N6jq*6J5hywO7u`gw-Nd^(FW*BDFe z?X>4%o!B!{KvsoEGxl}{B^@D&XIcuGviLQ@`&X9w=ez+`aj<&(49%i!t+3V$wt4VP zfwy*Zt|pUQXsW{Qux(dHE4|)c{^2<4w%&sQS=WSL!g>&G!TmlqMXYUdP)WFz|H>`X`W|N8CHFe1L&mx1s{5p>uzd6v4BH zOBCHD(!e|e9vwBp9PbyF;IMpM>|oi2-3S9U14bzzn)_QzNDIF5v5{Z_0=@sg26`KP zwq!~OK{LvMFTiueQh_ab>%vzfUSk2u7noKo8`#;y(Ygq0mFYW2jp>H1l|0}HzgWPO8>Jb*NcJ#D;%sxuh&4KjG*EM zmwlQmUwM@+K#FXXkJCyW0NF(c;ZUdGCji5#D%dZV@fbXHw`d%66H2pFFei^DiV35S ztsfD{+T30#HA1hE_PDjhH0;!>W}zj*gkd3J^cs zQ zDnapu$GK)1q7}g)-%XmvT?EInD%0Vu-PY>Y>zsK7Ru1s1-PpfO~D5|_zl8us$}BM*3`6@TvAIi(v{G`s^ml{rAEoX73ruRoMJoapxy z>>u!SZ^}y_)L$nbu+m&Mm);QZ)jk1d^AUSxdsKG6!AV{WU3i69d^nbKKWE7cRCVB= zJ+v$_*f{c>7y=vATJX3x9Iw>FpWK70+xBlP4>k#m2v;ome8O*dGEn0eL~<1!1)$}a zJR$OAF$P(FbXs*b^B4gK=f^9i6*>qHhoCIO-W83RU5qQ+u)LMkAyL8}`>9+To7D3o z8EigpWW_LcnM6S~5$x^+<7VwGKk-V+{T!JOk!(7_*iv`1;^y=wIC(W0bF>a!j>|pW z3fS3%gLGVRv5hvP2#nF;W*(F7(VjYhzRaCL1<0KQO6nx-a`Y+A<4CC|w_V|=C6woWD_$Gfz*-jYV?;n@JvbRl-2V}OI$qTbG-(70_mBtPOv z>#1LJ==8XQ3qf~Z@4SUR)cRDs8X}6E!fjQ?qjm3d>IF#8UvfiGP!Bdwjvd+R2VHzdY#UcR65paxA5|g`uHuQ} z7@w9-TkqjQ_bi3iCV6&V)2iH^79TzJ4D2ZEP*9zi^Y@uQVC)q2s@(VN`5@CDAIC~O zXW-U()=(2McW{s#pSiB(P$K>{?el^$2ivo+C%5P1KVgcS(RIJ9%WL}b57y^I{gg%r zdQo|1@fj~I+3JqN=0fYOXaW+qtZh1%14_KzXZknc3lUU)Soi!<#~oGr!<#*(LM-`r zAKJXnc^u_T(Fzh}voM|*E$Zb{7zup~AvVm&tSpHNDIXFu*==KIn-IkbYlh(}ki;4B z>}PG;ePF?moeMtgWxE_jEZ91CpR`tuqdj(YBba?Jg@;kdu5pika;m}a*2&1ZD^4j$ z$<@DvL;*tTB6Gj!R61fuLvzP=nwA8zvnPxcJW@7bB;**kjqLXDiQN_|xSf{YkR0sy z5if+?F-XC73L2#gT4TM;Ql@X3h3tZbQY7`EfIni7k5B^|-ZM|z5!c6&;xlb~#X?;+{6p)Y5h*m)w3OGF(G@rGiY6ZM;_Y z3INk4@M9`fH3OGF;so_g_>AUJDhii-O;4;fEVvG}nUPSd24_tsyKK_6);4`T`Jy|M znU2X1S?{RyK8VlX@uc%A*gv)HI@Oo$XrJbhVdD5=D;3}Wa_(byV)*u!%7*kh z=H7NrB6^nJVT$G=G%Vx7^SmLw^(xO_CuYXV78T|j#l0bmvht<`0*j|W(jHicO?ny4 z>_gAJSMtWY`IdHp04UzTd?R)Kea6I(u$oXbdUqtSGrX`<4TmY1R{LoNBm+5dRLX4Q zqfu*xRBCDlFaIbn*v@BKuERkKp`uOX;bo`nmVXd^q!Y}-8Tn;xXkTuv9Ysa9*`%SnMU=No-fAgE0#oUV z%gjQWT6Z@1EdV4gmt?gIWh24nb!BN*4zMMhTR5H=DyIQJ9s-4q*B)=Vg%f-sUdqpV zs*C4%{pS?&3pHD^4xcT<(0`Ti04BGjyKIdm*Wb>5$s$LP6#l3BC!I?kHav*B@Zwgu zYM>6^x6^)`P67g-7vdKP2p+vIbpUFJkD5@xA0I9gULzp5ewX#({~!3jsDz32I9krv z?{c&<^833eKyN4}Ry~h4W5){}D#xKfCAPW=HFpzG<-40eZixak`{g35UNK(Lxdepq zEO_-YN19;&xr(a1_m3*7yIdQ7iTH3Y%3?gDf4A^E_ghE&n&AkT_WqQq>3(ihw61$B zHK`EXS~bFLzD7i8cWV!HWXUz@>FdhZ$2Q@qHM=KcqyJxpQ~bB@zXMYAKQ+^SHsQTr zwi%Wwx@Tox-(fOBiCZ0Z8ukFp&#%Su(OkgGKGa_Tt+GbN73v^kijKLaly~*O+3<*z zU+}P6mY!Jd+UswCxNlsDCU0^ac7$rWi(X|rualBbA|mF7^U}XU#$yV} z*8Z-O>RKmGF>6zdFgF3+p}Mlb#uQWoAoA^ycXt*? zua~JVRF)Y{ej0KWo$juRfPLLmPS`2-cGeYj?@@f93Ksar&^(|vaJzatmVi*2I;_;; z9dRI+cH-r@4sf;J4I**^@PpWn0lHH8Hq@N#n`(k@onPeR7~Y$4f!MV!HeVsoylPg) zbAvSo?of00K084v*VC9RnKucapk1(U4j10RIGq!^2h=Xab~J(anfKo^#nEZu!+8o{?S&1r`@I721Ht^c`Tin#xF7*&y7 zQ>oec)Zl_-VGkiu{1>BI*@WxK6{^>1<5IUWf86YgvcqbLI-DT9M*MKCewr5hGihhD zKlsnM`g6{9zUNTaXfM*{*sCA42(^o@<`>Rwey!?SeHz8^9($LEi}vB21yRp%a9pZR z5Ey2Mji;_VjP5f$_(rJ0a(qq9V{tX@D70#FXF=9_W?*s;d9<%_O;OKjaqZgHK5n~8 z?+4{{B6Lp|h|Uf-C=%|3e{`bpmt>Vwf|3>tu<0R6&$d%-)`XoR1e?ze=ll#^*Ads& z4!#V~a-?`1&oP!H`5yX^=xL4Ij99YFb83$YfZ8+sk?AAY>h67DkK=!<3My{Z(DfPiI>~*oeBLGVL1DmnQuYV^_%4u zu72CNv{{Rz@{zNJ#)U@L$;IX+qzml;Zn$RnVLOVSR&mHq}&zm9#^Fq4b_*do$6K^N;SR*gXcbCP%L(V<%Mk00%ir=x3=wjEb z>$0L5{2u9UZIrPI833zzGZL3NKji8iFhiA&8?!1``LL;%UVc&d7JatVT(ICL3H)WA zgF^h5$0)N9fxXAijK>Rw$e4=N@^{@PKz;e2#uSn>!>EUpQ-b~d3=ZHx3S2<*Xpv2C ziT`ujYP#8v`G*6v?2agfsj}m$$G~Z%-n{<^YN?@le`nl$GLJCtL3?kChexbIq9#ky z_E>_z{sN4q-~@q+FW)c=!=xxVg|4n^8H)Ph1-?iqQSqqvVyL!Axu?Jn`;SXF-32B`A>BIZjsi0!sY!4Pf`30WpySlxV2%H1L=k8;u+z%q~BfELqSYpZKqev@ks85N|oF2XE z=|B{hiA#qUwx1lL?LP6WL7A_}+d8$#`2%y&k-lNG7td7cr}DMf!Y&;-{zN2DV5}!k z4SanNHg+dv52Zjz6R~qEZ4iZ!m~qhXxjP>mOcMX)LH>)0pQBGH@fJFaB0th~yGgiy zJC)F$enDZmv8@7+zz^t9Nqtgz0-)ErmuTyUY-4Ns zmy~|67b$XShXJsNkA%-O|Ae}i<%iepc`41Tv18qN#qAWKB8;uJnq$d%qYZ2#G4*eM zJ>ZOO5UI7|{Z?22Kv<{gKe>;#Pe4^-*uW?d_P-$*&B7$xwj?{Yf?PqV^5%id?Y=aO zZC(tQ0^tsv$_#RVzW;XdKQgfsa(vP>^zL@Cue1C(qU|m^&*Nxwf}I?Y7;ZWE^{*=) z6>ZFys|d2z^EkceS2C#FsK^mXvo7sL;iRAP5-Qo;09UjAIW~yVxnI(r;yv9U2iF_Z zLYfR1`Nvg@j6zE&IkR@PD3E1<6j}7>Ch?KM1qZqQNkiukBAM^pnKI|=tlUH41{kY6 zik?rQP>3lP2=wB#-bHZ3h z(k(SwC+k0d^>a&@z@CZ(FlCem*vA;)k$6BA59qq*xR#;7Qr`eA-yYOq6@mT%Mv5nT z*}&Ci@a>^22;)-6TC#u|^gk`}{|Nb_U|3~51S-zg>W%Vs5sUWldo=`G@s8`%E4~~k z_e1$nC$Kdz?-8poCfXXC)eqB7>r1S0c?$UPy^mag#Xm9zNKqjlVuPk}k3zrAFN1HB z=RsF|1m9qG{J@elz>QnPj*0m4d2=VF(ojP8wBwGcBMOIKpYCk4e^zGIM*I3Jh zY~^~xH`SMkucXTZA^%T!Wn(=)oAgj$%{~=m^Nx+U@?H9Qo0IHpV3Ga3;==A~aBI`Z zj?wTXK>By7HKInQf?DtRLa%@t6P$G(ahaG|V6Hl@T_TKUcn=>#p>QH8pj47$ZoVxk z*F`h)+OZ8}6z+L_bVcj!)y}3@bE)0&2rP2%V>fv8|?Yr=;&mR$Cj{w4ZnnspDN z)@+~_WE++jkx`t{!gYiOLdgnsj|6*V}lEvXJRNtOwf03SFl74HViBx}8c z;{9o|B2RxMFdX2w@n5V)Z(6iyix}yb+9`y+=IGC@)ZI5hszV+VOMLZiJ%u8 zm@(MK`k`I^eTZZn<-{yBka2JC^8Le07Z0B`5BOiwaSLVf$rgDOo2m5aULQf*yZPDc zPyfcPKb~Nc=Y_QjY3866V^3}GU~J|aARoQ-ttt(rrfydHlX9bknYcl=E{w< z$uoz6sA4|QrryY?o-U!uBhR9Kc0E!n)5WX@&nPp6SnK;gXbclg=*Yt9U}E%sztX`g z)@b9uIflFz6Y2XH&6`FQ5m`B`NN4$Al~i$bq}xs6a$5Z~F#$QNu_%K?ekYcc%N?I( z&M!v!;;M~!Z0>nep`zVuZrtt8(#$qwxXu88&A_lb3}y;(WC zBTI$$*~S^!ILsZdaAuFN!P?Fb-3&)EgR@4<3}}xi?f5 z-1tdi@wb{5PCpiZt~clB`l-}H;Z}$UUlW!=dK7Zdn;pWV>_pVf>*=ZLL|w>!?dp!* zmk2YnH7~3*;Fx&s{G{Z^B4xkQKxwpDn8L;}wTCcSm9DH!6xlLI7ATd9MVFZ~S3~*= zu>Z4U1qLDu9Ou|?*&LBnyM4)gsjbdg5GZwh)V;yM$@YU&1&YgrG`iNbw$x+@h4t*| zt-6&5#{0+U%0-o803eg@!*`?Aqd|Fqe-r@<`$|g8R*#0?unH?2LnX1&vuomgg%AFM z=;hyx-P&Rgl>(Zwt9aG(GoX;W-d%gFCdvpM)!6hmWWw;U)AP}}1nMT3TqInX?w)IF z8WvM%=`=1)eojjvPrNt7%e79Xdh4c+55#dxMQiDLAdRYN?{a>1H(kRbRfjzj9*;@kO0F>s~Xep@xJkcITA*ycC5ZSO! zPqa(LcDw{|+U_&-8a*E1z}0x1bth7#xJdJ^1vO_a(Lc=8Lp!ndT1m=Wzyb$Juc<_- zhCT!ybGhgHn?iG&E=3C%a{dcVKr^6vu(rG6(M1)5lxPd~>D7i{i>XE4+d#;`C)#by ze+4n-C&yWPRL?RSIL02AZ8!>EQ}HJY?LuFV%f4VIyt8hrOH&MYzV^-=kmzrs@+Twc zM3wB9pPejeIp^K;xmHeQP-6@i(RvT>H(fF;#~M6zoRmmD`l*DxGZy(blTd)+n_Fe8 zmBgA$`>@5^wuB`~ha;Z99UHj~(2dT3T70GKzYqs&{N;n{68liO zshuRD@J8RAc3+>JcHr?tk?J-Tu<$dPfSaXHGtio``dI4l>%mRO|H>Ki$~LM_`#Bo- zTSsnDd9MBlleIoV>2mbDIXGu}SzPIz!3k#k^N-42QE+Kjq3%Gvi1sSWvvn=9tu0LdL#At9O(NC%U_~2L)TV7gEa4!ndDp z#1$Ms+Af9J+%9;_Hj%^2-bIABXh0Cm$tB%OCu<(GsX?85DN9@jyE#gyy=zC9(}1WAlbkZY*Gj>1^Kq0Pbx_u0WI~ z{Wkh(Baq&LXeOYXPf=&)^ULZ+GM$wE^4yg#tFb)~g5ZF>_)rcZ?DL&@qPdb|2Rdbh zBwKIo_jtBBjMkr=i#ZvNi?iE9r>ItUM~RD0&#m8*jZN$k9*@CZ(f*m#<=0_jEH z29yW5dr6AGV(CUpJ)$$Q++<=eGfYi^8mVoMS7+0CE{F~N8M-dyjy93D^O_C^R}~tJ4PVh1JlalZ|;behsBD0Vott$N#ZMv&CBD${;ag z>ZpjL-QJW_o%KxFHIh6DNSf+G4WCqW__j;v(3(`HE-$Z%K+;KOScw;-UmY5?bIoh` zJXnuO?Eh1Q-k)r4Z>|Lr0sL*q+t)08RTAAl4mQCYeHc^b*f|?(wX$m_4l0LyKev(; z?P^-fAE$KqJR1gO!6{C`AVf4I%goag(k?Aihb{5ZL7jtAIQwz-TzyG?64({ef)ubj zkES<|&h(Gj!mT+T^=+IOCBj#XGKdwxzurEBr9@~=(|gDyA^ zMHz65N%1V96UVZOm>F9ulGNmSjV3zs?k*6YSKaU~cM{2P6V!#anQU5Q8! zE+LzFFgki{yA#mT8c3iBE1*xx1rRnfV7xY%x@u-K)-5Q~>+Qahh~O@=->Kk=|*5u?qo0$Hbwo@Z>RUiGJJfrRE%6DP00PdhCF(`&2c|9DD z0NX?-GX`zg5Y7GQ99b6c=W+N3tz7BOexn7c5%oQh+Tr}&1 zK;KvCA;iMRnM_I1uNb_e(dG(#!=CY!~1Q-uK_uMEpR1;<;$z@|@7Her81jS%oX+_dAV9J84C_ zo$@}011K?cr*Xm=7JY9i^D{shmp-l@alRHwmv!^2xRY{JDziGQjNefiYYsY`37?t>@%^%DHR$c8Q@!&nQ#4b2*3@ zupyF$CzdT@$s|&8q^bdHi<(y=HDyY@c0J~*kLU6jCwogw zQbR;Ls)&)P49%|jg1@YDnSR&G_En)P!0%eRJ4C`^KZZ=^5#{n6A}_?v0qJ~MkGHxo z&p)s$W9S^GBKx-@UV5@k>{XkfyN_O=IFD1b4~glgCxSSPDMha?mN~4GzJp~axdd`-#ji14XL+kz zNh{J}WK)<%K($B_#yW9d5C{v;KZ_Y1$M7W1*7U*e9`<3p=I3=g%jHK3kM61e4cHMO zAB%j521ah~iCp;2H;Ga}1d$*byQ6rWd?o#>g@?N#*tG|dH|^QC%gJ=RNK$@c z==!que_I!}K(`imU>+G!kBU9bz5vD||Cp7O;qERc#Xjfj6V6tFPSt^FnxT<%Wjk=zNe+L6qIK-aP$GF(Rf? z{3-@<#=>x*a2In#&4N857VNF>02*%u;15`~hcNoTr^J1ptyzHI^|U)No9ad_zP|Qu z_YD@`W3b~%E@~ngShY}Gb1MuGrATk@_Oa(=XfYR{B&aYG1NE9j?#_fJ*b#}J7RGwKWbZQ{*v^3Q*`dra5YFQpl*VFs7)(l*KBA zoG?zlY*D@Z=KGWW^DbAiCn0h*?}$Xyb9OUc$wDy8AYTGa9yTWsdeEm4($HuzmDKQik+L;f26|UY27yz z3SH?*yTAB;5Kr!DYxpO=u__+8P1 z&n3aWIogz-anAmfMN5N@Gs8I6RYpvzByDf!trU-Pkz|EETP-gUB)NfSZnr=TGohOg z557ZrHD^)WtV(nP(fa=V<#i8H?Ue z$&q?gM+5>^`{IgxDYF*-2Q2FEpj~9=7WM}F7J5De)a%a|<11zVk10({tlkDX()Hj& z?t~6+b$)oF{e0XLpVZ=)qDcY^%Apa)Jr&jqHPZ-rys?18vq8Q`XvUZunnP`G12dJL zi&EQ6Jy3{j)Tlv$NeN35tPmBQ3HGpiM(1tZ4^klCohnhMW|Nrp#=|f*j#PEZr7W~; z4B|z0*05_OoeZCXRc-8d9tbDnJVk?Z5qYC!si$mX>Sxg-tEu|llyU5EmfBdNeC4)F zPX;o^)_SP$)f+!4yzTXP%G51V(V z)n2HJm6;fs6d147kmj(IizD;d&q91JJHZi^i(9b76?+en3hefu%(xKYV4}}~<}ksrf0`(B$g%M(gP35W22Kjt>N`}Y@mED8 z*#M;xb=ot_u@l(rUJG`r+e;nSpo|xBe@!3f>a^?5$Ta+u6GAXHEU>6(KNPjrSy@ag zvP{HbAgGi#Pzt~*0f7t;MX&3B^Ijy!bwYdKT5+98Z1nxrdVj2Kt;KTC_p;7)XgoDD zw_;vx4fDZoWHyZ!ex&L3F>3>Z5Fr@8Xn=ZqNc4zicD0NND2@UUK2(KCNCav$* zDjVd-OX-6iMA`ctnsPPekAZt5^>A@Qtv&mdAr1Vt!Z}+FNPJjV=k>^VAO<<2`qrmQ z0Fpg--{oMt7sorg3@~L@VIjD4g9^T#UrIfwyH6Pr9wFklvQOBq))QU;*zT^JkC1k| zn&AX`qt`gA|2PYAKNr568|RPE1Xt?iL9mClS@=^G67K*{FnzAsd#-$kC{5g1cHPke z9;6{ac0{V>Y!kn4RPFVpc!_}w;J2$C&T-)7|J9~kGZ~pW^;W~3$IE+8c8=yMp;f^HDr-ZOJuv_TAG;SikG1>;J*z@qREhSOzm)6IKBQ{jgMf`R3s}IZh diff --git a/collection-pipeline/etc/collection-pipeline.ucls b/collection-pipeline/etc/collection-pipeline.ucls index 676dc48e8..6373db62f 100644 --- a/collection-pipeline/etc/collection-pipeline.ucls +++ b/collection-pipeline/etc/collection-pipeline.ucls @@ -4,7 +4,7 @@ - + @@ -15,7 +15,7 @@ project="collection-pipeline" file="/collection-pipeline/src/main/java/com/iluwatar/collectionpipeline/ImperativeProgramming.java" binary="false" corner="BOTTOM_RIGHT"> - + @@ -25,34 +25,70 @@ - + - + + + + + + + - + - - + + + + + + + + + + + + + + + + + + + + + + + +